Designing Complex Systems Using SCL Data Objects

Total Page:16

File Type:pdf, Size:1020Kb

Designing Complex Systems Using SCL Data Objects Designing Complex Systems Using SCL Data Objects Andrew A. Norton, Trilogy Consulting Corporation, Kalamazoo, Michigan INTRODUCTION Complexity: If you can change code easily. you can be"gin with a simple program and elaborate upon it in stages. This incremental development strategy is discussed further below. "Object-oriented ~ has become the buzzword of the moment. The recent marketing blitz has bleached it of all meaning, but Reuse: Reusing code in a different, unanticipated context the underlying concepts go back 25 years. Although these is a form of change. concepts developed incrementally from earlier software design principles, the end result is revolutionary -- once you have Transition from Analysis to Design: A well-established learned the new way of thinking, you can't go back. principle in software development is to separate analysis (determining what needs to be done) from design A complete object-oriented language is developing within the (determining how to do it). Object-oriented programming SAS* System. Many of the pieces are in place in releases 6.08 supports this principle by allowing design decisions to be and 6.10 of Screen Control Language (SCL). It is already postponed and revised. feasible to develop object-oriented systems in SAS just as yOll might in C++ or Smalltalk. This paper focuses on object~oriented strategies for managing change. Discussions of object-oriented programming in SAS often focus on small "toy" problems. Although this teChnique helps the Incremental Development novice to understand every aspect of the example, it gives a limited and artificial view of these powerful new features. This Traditional "waterfall" methodologies assume a predominantly paper is different. It focuses on how objects are used in one-way flow from analysis to design to implementation to constructing large-scale complex systems. I will not be testing. The analysis phase is completed before coding begins. spending much time discussing the nuts and bolts of how This requires committing to important decisions early, when you individual objects can be implemented in SAS. instead, I will have limited knowledge of their implications. be discussing what objects can do, and how they can be used in combination to tame complex and changing systems. Incremental development (Cockburn, 1995) strategies begin by developing a simplified prototype version. This prototype is Object-oriented programming is a natural progression from then incrementally enhanced based upon what has been learned traditional programming, so I will start there. Terms of special so far. This process can be repeated or "iterated" many times: significance are italicized the first time they appear. analyze-design-code-test, analyze-design-code-test. Object-oriented programming is especially suited to incremental WHAT'S SO GREAT ABOUT OO? development (and vice-versa) because it is easy to make changes. Because the penalty for design mistakes is relatively small, you :<f,an tackle complicated projects without having to Object-oriented programming (00) has become especiaUy understand everything at the beginning. popular for the development of Graphical User Interface (GUJ) applications. These applications can be very complex, because Avoiding "Ripple Effects" the user is given a great deal of freedom. Of course, batch processes can also be very complicated, and object-oriented SCL A small stone dropped into the water will affect the entire pond. can be helpful here as well. 1 In the same way, a small change in the specifications of a poorly designed system can require major efforts to implement. In general. object-oriented languages excel at complex tasks, The problem is ·"ripple effects"; local changes which require and are less effective for simple and repetitive tasks. changes in their neighbors (which then require changes in their neighbors). Advantages of 00 Laurence J. Peter (1986, page 155) says "The more complex Change is constant in the world of computer programming. the system, the more open it is to total breakdown." My because of improved understanding of the problem. changed defmition of total breakdown is a system which cannot be fixed requirements, debugging. and enhancements. Object-oriented because any ehange would break something else. progranuning helps you manage change, contributing to other advantages of object-oriented programming including control of To avoid "total breakdown", systems can be designed to be complexity, reuse of code, and smooth transition from analysis receptive to change. One way to do this is to construct systems to design: out of modular sections which can be changed without adversely affecting other modules. Such systems are also easier to 187 understand (Simon, 1981, page 219). This strategy for handling locate, revise, and test every use of the subroutine. This is a complex problems can be summed up by the phrase: disaster! Divide and Conquer. Suppose driver license policy changes: High school dropouts Subroutines are ineligible for a license until- age 18. The ELIGJBLE subroutine now requires another parameter HIGHSCHL The traditional way to "divide and conquer" computer programs (dropout status). Every program calling the ELIGIBLE has been through the use of subroutines (known in SAS as subroutine will need to be modified to read: "methods" and "macros".) Subroutines let applications share call method ('Driver' , 'eligible' , code. There is only one copy of the code to maintain, which age, drivtrn, highschl, ok); Some of the programs that call the ELIGffiLE program may ensures consistency, saves effort, improves quality, and themselves need to be modified to obtain the IDGHSCHL minimizes testing. infonnation. Subroutines also protect applications from changes in the Unfortunately, subroutine signatures often need to be modified subroutine code. When an application calls a subroutine, the to handle new siruations or make additional distinctions. If a two programs communicate through a limited and well-defined modified subroutine requires additional data, the signature will set of variables called parameters. need to be changed accordingly. Remember: Exposed data details lead to ripple effects. As long as the subroutine returns the correct output for the provided input data, then the details of implementation on either Luckily there is a solution, and this solution sets us on the path side (calling program or called subroutine) are irrelevant. What towards object-oriemed programming. the subroutine does (the external interface) has -been separated from how the subroutine works (the internal implementation). The Solution There is a natural division of responsibilities: the subroutine knows what to do with the input and the caller knows what to We need a way to pass additional information to a subroutine do with the results. without modifYing the signature. This can be done if a parameter contains a bundle of data rather than an individuat The use of subroutines simplifies testing because the behavior of variable. In some languages this can be done with a compound each subroutine is dependent upon its parameters alone and does data structure. In Screen Control Language, you can use an not change from one context to another. Similarly, maintenance SCL list (SAS Institute, 1991). If more data elements are becomes much easier: Once you have located and corrected the needed by the subroutine, just add them to the list. For appropriate subroutine, you are done. example, assuming an SCL list DRIVER! contains elements named SEX, AGE, and COUNTRY for a certain automobile In Screen Control Language, a typical subroutine call might be: driver, we could have: call method ('Oriver','eligible', age, drivtrn, ok); call method ('Driver','eligible', The first argument identifies the SCL entry containing the driver1, ok); method code: DRIVER.SCL. The second argument identifies No harm is done if the list includes additional information not the labeled block of code to be executed: ELIGIBLE .. The used by the subroutine. Because a variety of subroutines will remaining parameters (if any) are defmed by the programmer. need some data about drivers, we could maintain one list for In this case there are two input parameters, AGE and each driver containing all attributes of that driver. Such a list DRIVTRN (driver training status), and one output parameter could be used by any subroutine needing data about that driver: OK (eligibility for a driver's license). Because subroutines call method ('Driver' , Irenew', contain no persistent data, we know that the result OK is solely driver1, result); determined by the ELIGIBLE algorithm using the parameters AGE and DRIVTRN. The SeL lists for different drivers may contain different elements. The SCL list DRIVER1 might refer to a suspended This technology has been well-established for many years, and driver and contain different elements than SCL lists DRIVER2 you might not see any flaws with it until a bener way has been and DRIVER3 which refer to drivers with active licenses. described. The Problem Encapsulation If you write a really good subroutine, it might get used over and I have been emphasizing the importance of separating internal over again, in many different contexts. It might be used years implementations from external interfaces. Code is hidden within after you wrote it, or by people you have never met. This is a subroutine, and data parameters are hidden within a data list. success! Both are intimately related: Changes to data and code occur together. So instead of considering
Recommended publications
  • IBM Tivoli Decision Support for Z/OS: Guide to Reporting Figures
    IBM Tivoli Decision Support for z/OS Version 1.8.2 Guide to Reporting IBM SH19-6842-12 IBM Tivoli Decision Support for z/OS Version 1.8.2 Guide to Reporting IBM SH19-6842-12 Note Before using this information and the product it supports, read the information in “Notices” on page 113. Thirteenth Edition (May 2019) This edition applies to version 1, release 8, modification level 2 of IBM Tivoli Decision Support for z/OS (program number 5698-B06) and to all subsequent releases and modifications until otherwise indicated in new editions. This edition replaces SH19-6842-11. © Copyright 21st Century Software Inc. and IBM Corp. US Government Users Restricted Rights - Use, duplication or disclosure restricted by GSA ADP Schedule Contract with IBM Corp. 1994, 2019 Contents Figures ............... v Opening a report definition ......... 33 Opening a report definition when QMF is used 33 Preface .............. vii Opening a report definition when the built-in report generator is used ......... 35 Who should read this book ......... vii Opening the definition of saved report data ... 37 What this book contains .......... vii Publications .............. viii Accessing publications online ....... viii Chapter 4. Working with report groups 39 Using LookAt to look up message explanations viii Listing report groups ........... 39 Accessibility .............. ix Displaying the contents of a report group .... 40 Tivoli technical training .......... ix Viewing and modifying a report group definition . 40 Support information ........... ix Changing the report group definition..... 41 Conventions used in this book ........ x Adding a report to the group ....... 42 Typeface conventions .......... x Deleting a report from the group ...... 42 Creating a report group .........
    [Show full text]
  • Visualage for Smalltalk Handbook Volume 2: Features
    SG24-2219-00 VisualAge for Smalltalk Handbook Volume 2: Features September 1997 SG24-2219-00 International Technical Support Organization VisualAge for Smalltalk Handbook Volume 2: Features September 1997 IBM Take Note! Before using this information and the product it supports, be sure to read the general information in Appendix A, “Special Notices.” First Edition (September 1997) This edition applies to VisualAge for Smalltalk, Versions 2, 3, and 4, for use with OS/2, AIX, and Microsoft Windows 95/NT. Comments may be addressed to: IBM Corporation, International Technical Support Organization Dept. QXXE Building 80-E2 650 Harry Road San Jose, California 95120-6099 When you send information to IBM, you grant IBM a non-exclusive right to use or distribute the information in any way it believes appropriate without incurring any obligation to you. Copyright International Business Machines Corporation 1997. All rights reserved. Note to U.S. Government Users — Documentation related to restricted rights — Use, duplication or disclosure is subject to restrictions set forth in GSA ADP Schedule Contract with IBM Corp. Contents Preface . xiii How This Redbook Is Organized ....................... xiv ITSO on the Internet ................................ xv VisualAge Support on CompuServe ..................... xvii About the Authors ................................ xvii Acknowledgments . xviii Comments Welcome . xix Chapter 1. AS/400 Connection . 1 Multiple Programs with a Single Remote Procedure Call ......... 1 RPC Part Sets Commit Boundary ........................ 1 Connection Problem with V3R1 ......................... 2 AS/400 Communication Error .......................... 2 Strange Characters on Log-on Window .................... 3 Quick Form from AS/400 Record Classes ................... 3 Communication . 4 Read Next/Previous . 4 SQL Statements . 5 Data Queues and Records ............................ 6 ODBC Requirements .
    [Show full text]
  • Blueprint for the Decade
    Blueprint for the Decade In the 1990s, Apple will expand its role in both personal computing and enterprise computing. This will be driven by a focused product strategy that provides: • Rapid advances in our System 7 software architecture • Breakthroughs in how people interact with computers, fostered by the power of RISC • Enterprisewide client/server integration and A/UX-based open Macintosh computers and servers • An object-oriented operating system that will revolutionize the economics of software development for enterprise computing, code-named “Pink.” Our goal is to help people, individually and in organizations, transform the way they work, learn, and communicate by offering exceptional computing products and customer services. Apple will continue to be known as the company that leads the industry by providing powerful, innovative technologies that are easy to use. Our product strategy begins, as always, with Macintosh. The new products will complement and coexist with our current products, sharing data, networks, printers, file servers, and application software. A smooth migration path is a fundamental part of each new product development effort. We think that these new products will be important to the entire industry. Apple believes that its role is to develop rich platforms upon which powerful and easy-to-use applications software can be created by other companies. As the computer industry increasingly requires complex interdependencies for the development of new industry standards, Apple will no longer go the distance alone. Whenever technologies can best be developed and marketed through partnerships, alliances, and licensing arrangements, we will do so. We expect to work closely with other major industry players.
    [Show full text]
  • Reinventing User Applications for Mission Control
    Reinventing User Applications for Mission Control Jay Trimble NASA Ames Research Center, Mountain View CA, 94035, USA Alan Crocker NASA Johnson Space Center, Houston TX, 77062, USA I. Introduction Scenario, Present Day – In a simulation de-brief, flight controllers discover the need to build a multi-discipline composite display. They submit a software change request to platform services. Constrained by a traditional software change process, the changes roll out and are available for use months later. Scenario 2011 – In a simulation, flight controllers discover the need to build a multi-discipline composite display. After the de-brief is over, one flight controller stays an extra hour. Using Mission Control Technologies (MCT) certified composable user objects, the controller builds the new displays. Within the hour, the display is ready for use. Exploration Scenario – A future mission control center has continued what the International Space Station Flight Controllers have begun—the combining of what were previously multiple flight control positions into one. A slimmed down mission control center is guiding a descent to the lunar surface. Using an MCT multi-disciplinary display composition, a flight controller executes a procedure. Within each procedure step, commands and telemetry are composed, so no context switching between software packages is required. On a nearby console, another operator is viewing some of the same information. She has composed only the telemetry points she needs, and she’s viewing them as plots, not alphanumerics, as in the procedure steps. These scenarios illustrate the capability of technology now being installed and tested in NASA Johnson Space Centers (JSC) Mission Control Center (MCC).
    [Show full text]
  • PROFESSIONAL COMPUTING Deskpac - MAESTRO Super Executive V 32 MODEM
    PROFESSIONAL COMPUTING No.76 THE MAGAZINE OF THE AUSTRALIAN COMPUTER SOCIETY MAY 1992 workstations to SE/ty - A Brighter Future for DeskPAC Australian Computing GRAPHICS COMPUTER SYSTEMS MAESTRO Super Executive V 32 MODEM 'Ifyou are still using a2400 BPS modem - You could be barking up the wrong tree. Perhaps its time you moved into the fast lane with thenewbfaestro S600 BPS modem . AUSTEL PERMIT NO:A91/37D/0413 INCREDIBLE VALUE INC TAX 1200 SOME PEOPLE SELL 2400 BPS MODEMS FOR THIS PRICE 2400 ’’CRAZY” 4800 UHI I WONDER WHAT THE 9600 SPEED LIMIT IS AROUND HERE? 19200* 38400** 14 DAY MONEY BACK GUARANTEE MNP5 Depending on file * V42bis Depending on file IF YOU FIND A MODEM THAT PERFORMS BETTER, THEN YOU MAY RETURN YOUR SUPER EXECUTIVE WITHIN 14 DAYS FOR A REFUND. (14 DAYS FROM DATE OF PURCHASE) V.32 - 9600 BPS FULL DUPLEX ASYNQSYNC ERROR CORRECTION / DATA COMPRESSION V.32 - 4800 BPS FULL DUPLEX ASYNQSYNC V.42bis - ERROR CORRECTION AND COMPRESSION TO 38400 BPS ** V.22bis - 2400 BPS FULL DUPLEX ASYNQSYNC V.42 - ERROR CORRECTION AND COMPRESSION V.22 - 1200 BPS FULL DUPLEX ASYNQSYNC MNP 5 - ERROR CORRECTION AND COMPRESSION TO 19200 BPS* V.21 - 300 BPS FULL DUPLEX ASYNC MNP 24 - ERROR CORRECTION NEW 9642XR DATA / FAX 1 MODEL WITH V.42his &A£NP2 - 5 AUSTEL PERMIT C88/37A/145 FANTASTIC VALUE AT ONLY $449 SEND AND RECEIVE FAX MODEM AUSTEL PERMIT C88/37A/145 9600XR DATA / FAX MODEM ONLY $399 INC D nnnmnnr SEND AND RECEIVE FAX MODEM WITHOUT DATA COMPRESSION OR CORRECTION 'mmamm, 'AUSTRALIA GITAL COMMUNICATIONS A.C.N.
    [Show full text]
  • "User's Guide for Regulatory Program Database (RPD) Version 2.0
    W~~~.I Prepared for Nuclear Regulatory Commission Contract/N RC-02-93-005 Prepared by Center for Nuclear Waste Regulatory Analyses San Antonio, Texas September 1994 USER'S GUIDE FOR REGULATORY PROGRAM DATABASE (RPD) VERSION 2.0 INCLUDING OPEN ITEM TRACKING SYSTEM (OITS) Preparedfor Nuclear Regulatory Commission Contract NRC-02-93-005 Preparedby Aaron R. DeWispelare Joseph H. Cooper Patrick C. Mackin Robert L. Marshall Center for Nuclear Waste Regulatory Analyses San Antonio, Texas September 1994 CONTENTS Section Page LIST OF FIGURES ......................... ix ABBREVIATIONS ......................... xi ACKNOWLEDGMENTS .................... xiii INTRODUCTION ............................ 1-1 1.1 PURPOSE . 1-1 1.2 SCOPE AND CONTENT ................................... 1-1 1.3 REGULATORY PROGRAM DATABASE BACKGROUND ...... 1-2 1.4 OPEN ITEM TRACKING SYSTEM BACKGROUND ............ 1-3 1.5 REGULATORY PROGRAM DATABASE VERSION 2.0 ......... 1-3 2 REGULATORY PROGRAM DATABASE RECORD DEVELOPMENT PROCESS AND SYSTEM DESCRIPTION . .......................... 2-1 2.1 REGULATORY PROGRAM RECORD DEVELOPMENT PROCESS . .2-1 2.2 SYSTEM CONCEPT AND DESIGN APPROACH .2-1 2.3 SYSTEM CAPABILITIES .2-2 2.4 REGULATORY PROGRAM DATABASE DESIGN . .2-2 2.5 PRIMARY FUNCTIONS .......... ............ 2-3 2.5.1 Viewing and Printing Reports .2-3 2.5.1.1 Database Content Reports .2-4 2.5.1.2 Database Reports .2-4 2.5.2 Search and Retrieval .2-5 2.5.3 Displaying Data .2-5 2.5.4 Incorporating Regulatory Program Database Information in WordPerfect Documents .2-5 2.5.5 Copying Regulatory Program Database Information . 2-5 2.5.6 Editing Regulatory Program Database Information Using WordPerfect Software .2-5 3 REGULATORY PROGRAM DATABASE DESIGN .
    [Show full text]
  • Graphic User Interface
    УДК 004.4 V. V. Mahlona GRAPHIC USER INTERFACE Vinnytsia National Technical University Анотація В даній роботі було досліджено значимість графічного інтерфейсу історію виникнення графічних інтерфейсів та їх перші застосування, проведено порівняння з іншими інтерфейсами. Ключові слова: графічний інтерфейс користувача, дослідження, інтерфейс, ОС, Windows, Linux, MacOS Abstract The article deals with the importance of a graphical user interface, the history of graphic interfaces and their first applications are presented, the comparison with other interfaces is given. Keywords: GUI, research, interface, OS, Windows, Linux, MacOS The graphical user interface (GUI) is a form of user interface that allows users to interact with electronic devices through graphical icons and visual indicators such as secondary notation, instead of text- based user interfaces, typed command labels or text navigation. GUIs were introduced in reaction to the perceived steep learning curve of command-line interfaces (CLIs), which require commands to be typed on a computer keyboard. The actions in a GUI are usually performed through direct manipulation of the graphical elements. Beyond computers, GUIs are used in many handheld mobile devices such as MP3 players, portable media players, gaming devices, smartphones and smaller household, office and industrial controls. The term GUI tends not to be applied to other lower-display resolution types of interfaces, such as video games (where head- up display (HUD) is preferred), or not including flat screens, like volumetric displays because the term is restricted to the scope of two-dimensional display screens able to describe generic information, in the tradition of the computer science research at the Xerox Palo Alto Research Center.
    [Show full text]
  • Motif Programming Manual 1 Preface
    Motif Programming Manual 1 Preface...........................................................................................................................................................................1 1.1 The Plot..........................................................................................................................................................1 1.2 Assumptions...................................................................................................................................................2 1.3 How This Book Is Organized........................................................................................................................3 1.4 Related Documents........................................................................................................................................5 1.5 Conventions Used in This Book....................................................................................................................6 1.6 Obtaining Motif.............................................................................................................................................6 1.7 Obtaining the Example Programs..................................................................................................................7 1.7.1 FTP.................................................................................................................................................7 1.7.2 FTPMAIL......................................................................................................................................7
    [Show full text]
  • Usability/Human Factors and User Interface Design Consultant
    4722 E. Sandra Terrace Road [phone] (480) 664-1202 Phoenix, AZ 85032-3440 [fax] (480) 383-6323 [email protected] [e-mail] [web] www.theomandel.com Usability/Human Factors and User Interface Design Consultant Client List and Portfolio available at Mandel’s website: www.theomandel.com Key Skills • Twenty years experience in software design/development, specializing in user interface design, prototyping, design, UI guidelines and usability testing of Web applications and Websites. • Usability heuristic reviews of prototypes and products, providing quick and inexpensive feedback on key application and Website interface design, interaction, navigation and content. • Prototyping and design of application and website user interface, interaction and navigation. • Usability testing of hardware, software user interfaces, and product documentation. • Author of two well-known books, “The Elements of User Interface Design” (John Wiley & Sons, 1997) and “The GUI-OOUI War: The Designer's Guide to Human-Computer Interfaces” (John Wiley & Sons, 1994). Author of magazine and journal articles on interface design and usability. • Conference and symposium keynote educator and speaker. • Education and training on software user interface design and usability. Work History 1994 - present Interface Design & Development, LLC – Founder & Principal Consultant Scottsdale, AZ | Boulder, CO Founder and principal of consulting firm specializing in PC and Web software review, design, testing and development. Integrates iterative usability activities into corporate development processes. 1999 – 2001 ReCare, Inc., Austin, TX – Co-Founder/Chief Usability Officer (CUO) Co-founded ReCare, Inc., a medical software company, and served as the company's Chief Usability Officer (CUO) from 1999 - 2001. ReCare's innovative system created a paperless electronic medical record for the patient, while providing the physician with specialty-specific information, with the ability to cross reference pharmaceutical information and the documentation of patient specific orders.
    [Show full text]
  • {E::::.. BOSTON MA US (JC)1 ~ J - - Easy Does It
    MARK MADURA MADURA STUDIOS 332 NEWBURY ST . 2ND FLOOR {e::::.. BOSTON MA US (JC)1 ~ J - - Easy Does It. Introducing the Kurta XLP": •• Another Kurta Original Draw on the best name for quality and reliability with Kurta's new XLP graphics ta~le for IBM® PCs and c ies. Th y-t es S ketch® compati virtually all so~ 0 c arts to sophis ed CAD. The price is compatible too .. just $395 for the entire package, including: • 12 "x12 " high-accuracy tablet • 2-switch pen and program­ mable 4-button cursor • An integrated mouse/AD!'" driver with auto-toggle between mouse and ADI modes and a WindoWS® driver in absolute mode • Test, Set-mode and Reset utilities • Since the XLP draws its power from the serial pon, no power supply is needed • Unlimited free technical suppon • Lifetime -w.u-ranty! Get a total performance package, with the award-winning qualities you've come to expect in reliable Kurta products .. from the value-leading XLP to the high-end, feature-rich IS/ONE® and large format XLC ~ It's the easy way to better graphics for greater productivity. ® s. 1-800-44-KUKfA HURTR" 3007 East Chambers Phoenix, Ariwna 85040 (602) 27&5533 Kuru, cob'" swJSh and XLP ~ ~r..·red uadern:UKS of Kurtol Corp. Wuldov.-s i'i .. regis(em1 trAdemark of Microsoft Corp. ADI is :.I n:gisrered tr.ldernark of AllIOdesk Inc. I O~1 is .. registered trJClenurk oflntern:l.tiona1 Busitrss ~lachines . SumntlgrJphics SUITUll:lSketch is a registert"d trJci(.'1Tl:u1.: of SummagrJphks Corp CIRCLE CARD 239 SOME OF OUR CONTRIBUTORS KEft.l·) 'Ij i(.) ~ ~1 Concurrent Engineering for the 90's Ronald G.
    [Show full text]
  • Reuso De IHC Orientado a Padrões Concretos De Interação E Dirigido Por Casos De Uso
    UNIVERSIDADE FEDERAL DO RIO GRANDE DO SUL INSTITUTO DE INFORMÁTICA PROGRAMA DE PÓS-GRADUAÇÃO EM COMPUTAÇÃO AUGUSTO ABELIN MOREIRA Reuso de IHC Orientado a Padrões Concretos de Interação e Dirigido por Casos de Uso Dissertação apresentada como requisito parcial para a obtenção do grau de Mestre em Ciência da Computação Prof. Dr. Marcelo Soares Pimenta Orientador Porto Alegre, abril de 2007. CIP – CATALOGAÇÃO NA PUBLICAÇÃO Moreira, Augusto Abelin Reuso de IHC Orientado a Padrões Concretos de Interação e Di- rigido por Casos de Uso / Augusto Abelin Moreira – Porto Alegre: Programa de Pós-Graduação em Computação, 2007. 181 f.:il. Dissertação (mestrado) – Universidade Federal do Rio Grande do Sul. Programa de Pós-Graduação em Computação. Porto Ale- gre, BR – RS, 2007. Orientador: Marcelo Soares Pimenta. 1.Reuso. 2.IHC. 3.Caso de Uso. I. Pimenta, Marcelo Soares. II. Título. UNIVERSIDADE FEDERAL DO RIO GRANDE DO SUL Reitor: Prof. José Carlos Ferraz Hennemann Vice-Reitor: Prof. Pedro Cezar Dutra Fonseca Pró-Reitora de Pós-Graduação: Profa. Valquiria Linck Bassani Diretor do Instituto de Informática: Prof. Flávio Rech Wagner Coordenadora do PPGC: Profª. Luciana Porcher Nedel Bibliotecária-Chefe do Instituto de Informática: Beatriz Regina Bastos Haro AGRADECIMENTOS Agradeço às mulheres da minha vida - minha esposa Karin e minha filha Ana Luiza - pelo apoio, incentivo e compreensão ao longo desta jornada. SUMÁRIO LISTA DE ABREVIATURAS E SIGLAS............................................................ 7 LISTA DE FIGURAS.........................................................................................
    [Show full text]
  • Jorge Lázaro González Martínez.Pdf
    Universidad Central “Marta Abreu” de Las Villas Facultad de Ingeniería Eléctrica Departamento de Automática y Sistemas Computacionales TRABAJO DE DIPLOMA Interfaz Gráfica de Usuario aplicada a un Sistema Experto. Autor: Jorge Lázaro González Martínez. Tutores: Ing. Ailet Abreu López. Dr. José Rafael Abreu García. Consultante: MSc. Luis Alberto Quintero Domínguez Santa Clara 2016 "Año 58 de la Revolución" Universidad Central “Marta Abreu” de Las Villas Facultad de Ingeniería Eléctrica Departamento de Automática y Sistemas Computacionales TRABAJO DE DIPLOMA Interfaz Gráfica de Usuario aplicada a un Sistema Experto. Autor: Jorge Lázaro González Matinés [email protected] Tutores: Ing. Ailet Abreu López. [email protected] Dr. José Rafael Abreu García. [email protected] Consultante: MSc. Luis Alberto Quintero Domínguez [email protected] Santa Clara 2016 "Año 58 de la Revolución" i PENSAMIENTO ¿Qué poder es éste? No lo sé. Sólo sé que existe. Alexander Graham Bell ii DEDICATORIA A las personas más importantes de mi vida: mis padres Lázara y Jorge Luís, a mi abuela Nené y mi tía Livita por su dedicación, apoyo y todos los sacrificios que han hecho por mi todos estos años sin los cuales no hubiera llegado a donde estoy. iii AGRADECIMIENTOS A mis padres por quererme incondicionalmente, por apoyarme en todas mis decisiones y seguirme en todos los pasos que he dado hasta convertirme en lo que soy hoy. A mi abuela y a mi tía por su amor, su cariño y todo el sacrificio que han hecho por mí en todos estos años. En general a toda mi familia que me ha apoyado incondicionalmente durante todo este tiempo.
    [Show full text]