Appendix A: ASCII Codes

Total Page:16

File Type:pdf, Size:1020Kb

Appendix A: ASCII Codes Appendix A: ASCII Codes Hex Character Hex Character Hex Character Hex Character code code code code 0 NUL 20 (space) 40 @ 60 1 SOH 21 ! 41 A 61 a 2 STX 22 II 42 B 62 b 3 ETX 23 # 43 c 63 c 4 EOT 24 $ 44 D 64 d 5 ENQ 25 % 45 E 65 e 6 ACK 26 & 46 F 66 f 7 BEL 27 47 G 67 g 8 BS 28 ( 48 H 68 h 9 HT 29 ) 49 I 69 A LF 2A * 4A J 6A j B VT 2B + 4B K 6B k c FF 2C 4C L 6C I D CR 2D 4D M 6D m E so 2E 4E N 6E n F SI 2F I 4F 0 6F 0 10 DLE 30 0 50 p 70 p 11 DCl 31 1 51 Q 71 q 12 DC2 32 2 52 R 72 r 13 DC3 33 3 53 s 73 s 14 DC4 34 4 54 T 74 t 15 NAK 35 5 55 u 75 u 16 SYN 36 6 56 v 76 v 17 ETB 37 7 57 w 77 w 18 CAN 38 8 58 X 78 X 19 EM 39 9 59 y 79 y lA SUB 3A 5A z 7A z lB ESC 3B 5B [ 7B { lC FS 3C < 5C \ 7C I lD GS 3D = 5D ] 7D } lE RS 3E > 5E t 7E lF us 3F ? 5F 7F (delete) 357 358 Introduction to Computing The characters in the first column are control characters; they may be produced from the keyboard by depressing the crRL key and the corresponding key from the third column simultaneously. For example, ASCII code &lB can be produced by the combination crRL-[. Several control characters can be produced by special keys, as follows: BS backspace HT tab LF linefeed CR return ESC escape DCl to DC4 are device control codes; DCl and DC3 are frequently used to control scrolling of the screen. crRL-G (bell) sounds an audible tone. CfRL-L (form feed) is used to start a new page on a printing device. The other control codes are mainly used in connection with data transmission. Appendix B: Other BASICS The version of BASIC used in this book is BBC BASIC. Initially introduced on the Acorn BBC computer in 1981, it has become the standard BASIC, available not only on Acorn computers, but indeed on all computers intended for the educational user. However, for the benefit of readers who prefer to use RM BASIC (the version supplied with the RM range of computers) or BBC BASIC V (installed in the Acorn Archimedes), this appendix highlights some of the important diffe­ rences. RM BASIC RM BASIC includes a number of improved program structures, as well as one or two important notational differences from BBC BASIC. Assignment symbol The preferred assignment symbol is : = but = is also accepted. Loops The repetitive constructs are FOR/NEXT and REPEAT/UNTIL as in BBC BASIC. Branches The alternative construct IF ... THEN ... ELSE (on a single line) is available as in BBC BASIC. Subprograms The major differences between RM BASIC and BBC BASIC are in the definition and use of subprograms. In RM BASIC any legitimate identifier may be used to name a subprogram-it does not have to begin with FN or PROC. Procedures A procedure definition begins with the reserved word PROCEDURE, and the parameters are not enclosed in brackets. In addition, it is possible to call 359 360 Introduction to Computing parameters by reference, and arrays may be passed as parameters. By way of example, here is how the output_bill procedure (section 3.4) would be coded in RM BASIC. 500 510 PROCEDURE Output_bill name$, address$, teLno$, rentaLcharge, calLcharge 520 530 vat : = 0.15 : REM constant value 540 PRINT name$ ! address$ ! teLno$ 550 REM ***output charges*** 560 PRINT "apparatus:'', rentaLcharge 570 PRINT "calls:", calLcharge 580 vat_charge := vat*(rentaLcharge + calLcharge) 590 PRINT "vat:", vat_charge 600 PRINT "total:", rentaLcharge + calLcharge + vat_charge 610 ENDPROC There is no LOCAL declaration in line 520 as all identifiers are automa­ tically local in RM BASIC unless specified to be global. On those occasions where a global variable is required, this is achieved by a GLOBAL declaration which must appear as the first line in the main program (or the subprogram which calls the procedure) and as the first line in the body of the procedure definition. The main program of the Telecom billing system which calls this procedure looks like this in RM BASIC: REM** *Telecom billing*** INPUT telephone_no$, name$, address$ INPUT number_oLtelephones, initial, final used : = final - initial Compute_charges number_oLtelephones, used RECEIVE rentaLcharge, calLcharge Output_bill name$, address$, telephone_no$, rentaLcharge, calLcharge END This program illustrates the use of output parameters, which must follow all the input parameters and be prefixed by the reserved word RECEIVE. A procedure definition with formal output parameters is coded as follows: PROCEDURE Compute_charges no_oLtelephones, used RETURN rentaLcharge, calLcharge REM CONSTANTS line_charge := 13.60 receiver_rental : = 2.45 unit:= 4.4: REM pence REM BEGIN Appendix B: Other BASICS 361 rentaLcharge := line_charge + (no_oLtelephonesHeceiver_rental) calLcharge : = used*unit/100 ENDPROC Note how the reserved word RETURN takes the place of var in Pascal. However, in RM BASIC, if a variable is used as both an input and output parameter, it must appear in both lists-before and after RETURN. RM BASIC makes some provision for exception handling within procedures (section 4.3). The LEAVE command may be used to cause a premature exit from a procedure to the calling statement. Functions Function definitions begin with the reserved word FUNCTION and finish with ENDFUN. A value is returned to the calling statement using the reserved word RESULT. Here is the wage function (section 3.4). 1200 1210 FUNCTION Wage(rate, hours) 1220 1230 IF hours < = 38 THEN wageO : = hoursHate ELSE wageO := (38 + (hours- 38)*1.5)Hate 1240 RESULT wageO 1250 ENDFUN 1300 1310 FUNCTION Tax(gross) 1320 RESULT 0.25*gross 1330 ENDFUN An array parameter is passed by reference, just like a var parameter in Pascal. No specification is required. The following is the RM BASIC version of the linear search function in exercise 11 of chapter 3. FUNCTION Searchl(data$(), size, item$) index : = size + 1 REPEAT index : = index - 1 UNTIL data$(index) =item$ OR index= 0 RESULT index END FUN Since data$() is passed as a parameter rather than a global variable, the actual array could be called something else other than data$. In fact, in RM BASIC it is not even necessary to pass size as a parameter, because there is a built-in function BOUNDS which can determine the size of an array. This covers very briefly the major structural differences between BBC BASIC and RM BASIC. 362 Introduction to Computing BBC BASIC V The extended version of BBC BASIC supplied with the Acorn Archimedes range of microcomputers is also available on some other computers. The following significant extensions implement some of the structures discussed in this book. Loops In addition to fixed loops and until loops, BBC BASIC V implements while loops. The syntax is WHILE <condition> DO <statements> ENDWHILE Branches Most versions of BASIC to data have provided the single-line IF ... THEN ... ELSE as the only alternative construct. As a result the only practical way of implementing a branch is often by the introduction of procedures for the conse­ quent statements. In BASIC V, there is a proper IF statement which can be used to code a two-way branch: IF <condition> THEN <statements> ELSE <other statements> END IF There is also a CASE statement to code a multi-way branch. Array operations A useful feature in BASIC V is that the array is a fully supported data structure, with operations on whole arrays. Thus a single statement can be used for an operation on a whole array. The following illustrates the use of array operations on compatible arrays. DIM a(200), b(200), m(lOO, 200) a()= 6•b{) b() =a()+ b{) a()= m{)•b{) Appendix C: Coursework and Projects The Common Core in Computing at Advanced Level, as published by the GCE Examining Boards [Common Cores at Advanced Level-First Supplement (GCE Boards of England, Wales and Northern Ireland, 1987)], contains the following statement: Project work should (a) encourage the sensible use of computers to solve problems which are within the experience or understanding of the candidate; (b) emphasise the analysis and design skills involved in problem solving using the computer and so involve the development of a piece of work over an extended period of time; (c) involve the development, documenting, implementing and testing of a software based package which might or might not include the use of pre-written software; (d) involve the organisation and presentation of a report on the work that has been carried out, including an evaluation of this work. Typically the project will count for about 25 per cent of the marks, and so will need to be a substantial piece of work. Candidates following the usual two-year course should select a project topic at ~he end of the first term. This will leave a clear period of fourteen months over which to develop the project in time for completion during the fifth term. Any application area is acceptable, but in practice a candidate must choose an application which is not too difficult to analyse and also not too time-consuming to be completed in good time. Stock control, a spelling checker, crossword-solving aid and invoicing are just a few areas which could form the basis for a suitable problem. Other project ideas may be found in the contexts of the following exercises set in this book: exercise 2.3 (bank transactions), further exercise 2.3 (timetable), further exercise 7.1 (payroll).
Recommended publications
  • IPDS Technical Reference 1
    IPDS Technical Reference 1 TABLE OF CONTENTS Manuals for the IPDS card.................................................................................................................................4 Notice..................................................................................................................................................................5 Important.........................................................................................................................................................5 How to Read This Manual................................................................................................................................. 6 Symbols...........................................................................................................................................................6 About This Book..................................................................................................................................................7 Audience.........................................................................................................................................................7 Terminology.................................................................................................................................................... 7 About IPDS.......................................................................................................................................................... 8 Capabilities of IPDS............................................................................................................................................9
    [Show full text]
  • VMS CRA Y Station Now Available It Is Now Possible to Submit Jobs Functions Closely
    VMS CRA Y Station Now Available It is now possible to submit jobs Functions closely. It is implemented as a to the CRAY-1 from UCC's VAX/VMS The VMS station provides these series of commands entered in system. functions: response to the system's $ A CRAY-1 running the cos oper­ prompt. The commands look like ating system requires another -It submits jobs to the CRAY-1, VMS commands: they have pa­ computer to act as a "front-end" and returns output as a file un­ rameters and /qualifiers; they fol­ system. You prepare jobs and der the user's VMS directory. low much the same syntax and data on the front-end system, us­ -It transfers files between the interpretation rules (for example, ing whatever tools that system machines using the cos AC­ wild cards are handled correctly); provides, then submit the files as QUIRE and DISPOSE commands. and they prompt for required a batch job to the CRAY for proc­ The source of an ACQUIREd file parameters not present on the essing. Output is returned to the can be disk or tape; the desti­ command line. You can always front-end system for viewing. nation of a DISPOSEd file can recognize a station command, The software that runs on the be disk, tape, printer, or the though, because it always begins front-end machine to provide this VMS batch input queue. with the letter C. For example, communication is called a -At your option, it sends bulle­ the station command to submit a "station." tins to the terminal chronicling job to the CRAY is CSUBMIT.
    [Show full text]
  • Database Globalization Support Guide
    Oracle® Database Database Globalization Support Guide 19c E96349-05 May 2021 Oracle Database Database Globalization Support Guide, 19c E96349-05 Copyright © 2007, 2021, Oracle and/or its affiliates. Primary Author: Rajesh Bhatiya Contributors: Dan Chiba, Winson Chu, Claire Ho, Gary Hua, Simon Law, Geoff Lee, Peter Linsley, Qianrong Ma, Keni Matsuda, Meghna Mehta, Valarie Moore, Cathy Shea, Shige Takeda, Linus Tanaka, Makoto Tozawa, Barry Trute, Ying Wu, Peter Wallack, Chao Wang, Huaqing Wang, Sergiusz Wolicki, Simon Wong, Michael Yau, Jianping Yang, Qin Yu, Tim Yu, Weiran Zhang, Yan Zhu This software and related documentation are provided under a license agreement containing restrictions on use and disclosure and are protected by intellectual property laws. Except as expressly permitted in your license agreement or allowed by law, you may not use, copy, reproduce, translate, broadcast, modify, license, transmit, distribute, exhibit, perform, publish, or display any part, in any form, or by any means. Reverse engineering, disassembly, or decompilation of this software, unless required by law for interoperability, is prohibited. The information contained herein is subject to change without notice and is not warranted to be error-free. If you find any errors, please report them to us in writing. If this is software or related documentation that is delivered to the U.S. Government or anyone licensing it on behalf of the U.S. Government, then the following notice is applicable: U.S. GOVERNMENT END USERS: Oracle programs (including any operating system, integrated software, any programs embedded, installed or activated on delivered hardware, and modifications of such programs) and Oracle computer documentation or other Oracle data delivered to or accessed by U.S.
    [Show full text]
  • Ascii, Baudot, and the Radio Amateur
    ASCII, BAUDOT AND THE RADIO AMATEUR George W. Henry, Jr. K9GWT Copyright © 1980by Hal Communications Corp., Urbana, Illinois HAL COMMUNICATIONS CORP. BOX365 ASCII, BAUDOT, AND THE RADIO AMATEUR The 1970's have brought a revolution to amateur radio RTTY equipment separate wire to and from the terminal device. Such codes are found in com­ and techniques, the latest being the addition of the ASCII computer code. mon use with computer and line printer devices. Radio amateurs in the Effective March 17, 1980, radio amateurs in the United States have been United States are currently authorized to use either the Baudot or ASCII authorized by the FCC to use the American Standard Code for Information serial asynchronous TTY codes. Interchange(ASCII) as well as the older "Baudot" code for RTTY com­ munications. This paper discusses the differences between the two codes, The Baudot TTY Code provides some definitions for RTTY terms, and examines the various inter­ facing standards used with ASCII and Baudot terminals. One of the first data codes used with mechanical printing machines uses a total of five data pulses to represent the alphabet, numerals, and symbols. Constructio11 of RTTY Codes This code is commonly called the Baudot or Murray telegraph code after the work done by these two pioneers. Although commonly called the Baudot Mark Ull s,.ce: code in the United States, a similar code is usually called the Murray code in other parts of the world and is formally defined as the International Newcomers to amateur radio RTTY soon discover a whole new set of terms, Telegraphic Alphabet No.
    [Show full text]
  • Unix and Linux System Administration and Shell Programming
    Unix and Linux System Administration and Shell Programming Unix and Linux System Administration and Shell Programming version 56 of August 12, 2014 Copyright © 1998, 1999, 2000, 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2009, 2010, 2011, 2012, 2013, 2014 Milo This book includes material from the http://www.osdata.com/ website and the text book on computer programming. Distributed on the honor system. Print and read free for personal, non-profit, and/or educational purposes. If you like the book, you are encouraged to send a donation (U.S dollars) to Milo, PO Box 5237, Balboa Island, California, USA 92662. This is a work in progress. For the most up to date version, visit the website http://www.osdata.com/ and http://www.osdata.com/programming/shell/unixbook.pdf — Please add links from your website or Facebook page. Professors and Teachers: Feel free to take a copy of this PDF and make it available to your class (possibly through your academic website). This way everyone in your class will have the same copy (with the same page numbers) despite my continual updates. Please try to avoid posting it to the public internet (to avoid old copies confusing things) and take it down when the class ends. You can post the same or a newer version for each succeeding class. Please remove old copies after the class ends to prevent confusing the search engines. You can contact me with a specific version number and class end date and I will put it on my website. version 56 page 1 Unix and Linux System Administration and Shell Programming Unix and Linux Administration and Shell Programming chapter 0 This book looks at Unix (and Linux) shell programming and system administration.
    [Show full text]
  • Onetouch 4.0 Sanned Documents
    TO: MSPM Distribution FROM: J. H. Saltzer SUBJECT: 88.3.02 DATE: 02/05/68 This revision of BB.3.02 is because 1. The ASCII standard character set has been approved. References are altered accordingly. 2. The latest proposed ASCII standard card code has been revised slightly. Since the Multics standard card code matches the ASCII standard wherever convenient# 88.3.02 is changed. Codes for the grave accent# left and right brace, and tilde are affected. 3. One misprint has been corrected; the code for capita 1 11 S" is changed. MULTICS SYSTEM-PROGRAMMERS' MANUAL SECTION BB.3.02 PAGE 1 Published: 02/05/68; (Supersedes: BB.3.02; 03/30/67; BC.2.06; 11/10/66) Identification Multics standard card punch codes and Relation between ASCII and EBCDIC J • H • Sa 1 tze r Purpose This section defines standard card punch codes to be used in representing ASCII characters for use with Multics. Since the card punch codes are based on the punch codes defined for the IBM EBCDIC standard, automatically a correspondence between the EBCDIC and ASCII character sets is also defined. Note The Multics standard card punch codes described in this section are DQ! identical to the currently proposed ASCII punched card code. The proposed ASCII standard code is not supported by any currently available punched card equipment; until such support exists it is not a practical standard for Multics work. The Multics standard card punch code described here is based on widely available card handling equipment used with IBM System/360 computers. The six characters for which the Multics standard card code differs with the ASCII card code are noted in the table below.
    [Show full text]
  • MTS on Wikipedia Snapshot Taken 9 January 2011
    MTS on Wikipedia Snapshot taken 9 January 2011 PDF generated using the open source mwlib toolkit. See http://code.pediapress.com/ for more information. PDF generated at: Sun, 09 Jan 2011 13:08:01 UTC Contents Articles Michigan Terminal System 1 MTS system architecture 17 IBM System/360 Model 67 40 MAD programming language 46 UBC PLUS 55 Micro DBMS 57 Bruce Arden 58 Bernard Galler 59 TSS/360 60 References Article Sources and Contributors 64 Image Sources, Licenses and Contributors 65 Article Licenses License 66 Michigan Terminal System 1 Michigan Terminal System The MTS welcome screen as seen through a 3270 terminal emulator. Company / developer University of Michigan and 7 other universities in the U.S., Canada, and the UK Programmed in various languages, mostly 360/370 Assembler Working state Historic Initial release 1967 Latest stable release 6.0 / 1988 (final) Available language(s) English Available programming Assembler, FORTRAN, PL/I, PLUS, ALGOL W, Pascal, C, LISP, SNOBOL4, COBOL, PL360, languages(s) MAD/I, GOM (Good Old Mad), APL, and many more Supported platforms IBM S/360-67, IBM S/370 and successors History of IBM mainframe operating systems On early mainframe computers: • GM OS & GM-NAA I/O 1955 • BESYS 1957 • UMES 1958 • SOS 1959 • IBSYS 1960 • CTSS 1961 On S/360 and successors: • BOS/360 1965 • TOS/360 1965 • TSS/360 1967 • MTS 1967 • ORVYL 1967 • MUSIC 1972 • MUSIC/SP 1985 • DOS/360 and successors 1966 • DOS/VS 1972 • DOS/VSE 1980s • VSE/SP late 1980s • VSE/ESA 1991 • z/VSE 2005 Michigan Terminal System 2 • OS/360 and successors
    [Show full text]
  • Computer Terminal Placement and Workflow in an Emergency Department: an Agent-Based Model Mollie R
    Computer terminal placement and workflow in an emergency department: An agent-based model Mollie R. Poynton, University of Utah, Salt Lake City, Utah, USA Vikas M. Shah, Department of Internal Medicine, Banner Good Samaritan Medical Center, Phoenix, AZ, USA Rhonda BeLue, The Pennsylvania State University, University Park, PA, USA Ben Mazzotta, Tufts University, Medford, MA, USA Heather Beil, University of North Carolina, Chapel Hill, NC, USA Saleha Habibullah, Kinnaird College for Women, Lahore, Pakistan I. INTRODUCTION Adequate analysis and consideration of workflow in relation to new systems/ technology implementation is essential in health care settings. Certainly, adequate analysis of workflow and exploration of potential unintended consequences seems essential prior to implementation of any new system or technology. However, typical analysis is limited to observation of pre- implementation workflow. Specialized settings such as emergency departments are of particular concern, because systems and technologies chosen for broad implementation in tertiary care facilities may not be appropriate. Severe unintended consequences, including increased mortality, were observed in one emergency department upon implementation of a computerized provider order entry (CPOE) system. 1 Agent-based modeling enables exploration of system behavior over a broad range of parameters, and so agent-based modeling may provide crucial pre-implementation insight into the impact of a new system/technology on workflow and/or outcomes. We developed a prototype agent-based model designed to simulate patient flow and provider workflow in an emergency department setting, relative to the number and placement of computer terminals, and explored the behavior of the system in response to various configurations. II. BACKGROUND AND SIGNIFICANCE A 2005 study by Han and colleagues found increased mortality after implementation of a CPOE system in the Pittsburgh Children’s Hospital emergency department (ED) and PICU (pediatric intensive care unit).
    [Show full text]
  • LG Programmer’S Reference Manual
    LG Programmer’s Reference Manual Line Matrix Series Printers Trademark Acknowledgements ANSI is a registered trademark of American National Standards Institute, Inc. Code V is a trademark of Quality Micro Systems. Chatillon is a trademark of John Chatillon & Sons, Inc. Ethernet is a trademark of Xerox Corporation. IBM is a registered trademark of International Business Machines Corporation. IGP is a registered trademark of Printronix, LLC. Intelligent Printer Data Stream and IPDS are trademarks of International Business Machines Corporation. LinePrinter Plus is a registered trademark of Printronix, LLC. MS-DOS is a registered trademark of Microsoft Corporation. PC-DOS is a trademark of International Business Machines Corporation. PGL is a registered trademark of Printronix, LLC. PrintNet is a registered trademark of Printronix, LLC. Printronix is a registered trademark of Printronix, LLC. PSA is a trademark of Printronix, LLC. QMS is a registered trademark of Quality Micro Systems. RibbonMinder is a trademark of Printronix, LLC. Torx is a registered trademark of Camcar/Textron Inc. Utica is a registered trademark of Cooper Power Tools. Printronix, LLC. makes no representations or warranties of any kind regarding this material, including, but not limited to, implied warranties of merchantability and fitness for a particular purpose. Printronix, LLC. shall not be held responsible for errors contained herein or any omissions from this material or for any damages, whether direct, indirect, incidental or consequential, in connection with the furnishing, distribution, performance or use of this material. The information in this manual is subject to change without notice. This document contains proprietary information protected by copyright. No part of this document may be reproduced, copied, translated or incorporated in any other material in any form or by any means, whether manual, graphic, electronic, mechanical or otherwise, without the prior written consent of Printronix, LLC.
    [Show full text]
  • Computer Exemption Guidelines for Assessors and Property Owners
    Computer Exemption Guidelines for Assessors and Property Owners State law (sec. 70.11(39), Wis. Stats.), exempts computers, software, and electronic peripheral equipment from property taxation. *These items are frequently assessed as manufacturing personal property. Taxable/ Item Description Comments Exempt Central computer for Exempt Computer. Alarm/Security alarm/security system systems Various security system Taxable Equipment with embedded computerized components. sensory devices "All-in-one" Combination device If this equipment can only operate using a computer, it is exempt as an printer/scanner/ that includes an exempt Taxable electronic peripheral. fax/copier device Amusement devices Electronic pinball and Taxable Equipment with embedded computerized components. or arcade games video games Automated warehouse Racks and other Taxable Not connected to and operated by a computer. equipment mechanical equipment Electronic diagnostic Computer and connected electronic peripheral equipment that collect, Exempt Automotive diagnostic equipment analyze store and retrieve data. equipment Other diagnostic Taxable Mechanical or not connected to a computer. equipment Bank teller Automated teller Exempt Networked computer, terminal, or electronic peripheral equipment. machines/ATMs PC controlled equipment, networked Exempt Computers, electronic peripheral equipment Bowling and automatic PCs scoring equipment Pin setters, counters Taxable Equipment with embedded computerized components. and scoring equipment Car wash equipment Automated equipment Taxable Equipment with embedded computerized components. Scanner, scale, keyboard, register, computer, display Computer and electronic peripheral equipment - programmable electronic Cash Exempt register/Checkout screens, debit/credit device(s) that can interpret, measure, store, retrieve, and process data. system and card readers, check components swipe, printer, Mechanical - conveyor, Taxable Mechanical. tables, shelves All Copiers – Copiers networked, stand alone, Taxable Exemption does not apply to copiers.
    [Show full text]
  • IPDS and SCS Technical Reference
    IBMNetworkPrinters12,17,24 IBMInfoprint20,21,32,40,45 IBM Infoprint 70 IBM IPDS and SCS Technical Reference S544-5312-07 IBMNetworkPrinters12,17,24 IBMInfoprint20,21,32,40,45 IBM Infoprint 70 IBM IPDS and SCS Technical Reference S544-5312-07 Note Before using this information and the product it supports, be sure to read the general information under “Notices” on page xiii. Eighth Edition (April 2000) This version obsoletes S544-5312-06. Requests for IBM publications should be made to your IBM representative or to the IBM branch office serving your locality. If you request publications from the address given below, your order will be delayed because publications are not stocked there. Many of the IBM Printing Systems Company publications are available from the web page listed below. Internet Visit our home page at: http://www.ibm.com/printers A Reader’s Comment Form is provided at the back of this publication. You may also send comments by fax to 1-800-524-1519, by e-mail to [email protected], or by regular mail to: IBM Printing Systems Department H7FE Building 003G Information Development PO Box 1900 Boulder CO USA 80301-9191 IBM may use or distribute whatever information you supply in any way it believes appropriate without incurring any obligation to you. © Copyright International Business Machines Corporation 1996, 2000. All rights reserved. US Government Users Restricted Rights – Use, duplication or disclosure restricted by GSA ADP Schedule Contract with IBM Corp. Contents Tables ...............ix Chapter 4. Device Control Command Set................23 Notices ..............xiii Acknowledgement Reply ..........23 Trademarks ..............xiii Activate Resource ............25 Resource ID example with RIDF = GRID .
    [Show full text]
  • Guide to Setting up a VMS System
    Guide to Setting Up a VMS System Order Number: AA-LA25A-TE April 1988 This manual provides system managers with the concepts and procedures needed to set up a VMS operating system for daily operation. Revision/Update Information: This is a new manual. Software Version: VMS Version 5.0 digital equipment corporation maynard, massachusetts April 1988 The information in this document is subject to change without notice and should not be construed as a commitment by Digital Equipment Corporation. Digital Equipment Corporation assumes no responsibility for any errors that may appear in this document. The software described in this document is furnished under a license and may be used or copied only in accordance with the terms of such license. No responsibility is assumed for the use or reliability of software on equipment that is not supplied by Digital Equipment Corporation or its affiliated companies. Copyright ©1988 by Digital Equipment Corporation All Rights Reserved. Printed in U.S.A. The postpaid READER'S COMMENTS form on the last page of this document requests the user's critical evaluation to assist in preparing future documentation. The following are trademarks of Digital Equipment Corporation: DEC DIBOL UNIBUS DEC/CMS EduSystem VAX DEC/MMS IAS VAXcluster DECnet MASSBUS VMS DECsystem-10 PDP VT DECSYSTEM-20 PDT DECUS RSTS TM DECwriter RSX d a 0 9 ao ZK3385 HOW TO ORDER ADDITIONAL DOCUMENTATION DIRECT MAIL ORDERS USA &PUERTO RICO* CANADA INTERNATIONAL Digital Equipment Corporation Digital Equipment Digital Equipment Corporation P.O. Box CS2008 of Canada Ltd. PSG Business Manager Nashua, New Hampshire 100 Herzberg Road c/o Digital's local subsidiary 03061 Kanata, Ontario K2K 2A6 or approved distributor Attn: Direct Order Desk In Continental USA and Puerto Rico call 800-258-1710.
    [Show full text]