Design Patterns. V Software Engineering Lecture 8. Adapted from Prof. Necula CS 169, Berkeley 1
|
|
|
- Hortense Sherman
- 10 years ago
- Views:
Transcription
1 Design Patterns V Software Engineering Lecture 8 1
2 How Do We Design Software? We all understand Algorithms Data structures Classes When describing a design, algorithms/data structures/classes form the vocabulary But there are higher levels of design 2
3 Design Patterns: History Christopher Alexander An architect A professor The father of design patterns As applied to architecture Pattern Languages (1977) Design Patterns in Software Erich Gamma, Richard Helm, Ralph Johnson, John Vlissides Application of design patterns to object-oriented programming Book: Design Patterns: Elements of Reusable Object- Oriented Software 3
4 What are Design Patterns? A pattern describes a problem that occurs often, along with a tried solution to the problem - Christopher Alexander, 1977 Descriptions of communicating objects and classes that are customized to solve a general design problem in a particular context Not individual classes or libraries Such as lists, hash tables Not full designs 4
5 Elements of a Design Pattern 1. Pattern name Useful part of design vocabulary 2. Problem solved and applicability When to apply the pattern 3. Solution Participants and their relationships 4. Consequences Costs of applying the pattern, space and time trade-offs 5
6 Improved Communication One of the main benefits of design patterns is that they name common (and successful) ways of building software. 6
7 More Specifically Teaching and learning It is much easier to learn architecture from descriptions of design patterns than from reading code Teamwork Members of a team have a way to name and discuss the elements of their design 7
8 Example: A Text Editor Describe a text editor using patterns A running example Introduces several important patterns Gives an overall flavor of pattern culture Note: This example is from the Design Patterns book. 8
9 Text Editor Requirements A WYSIWYG editor Text and graphics can be freely mixed Graphical user interface Toolbars, scrollbars, etc. Multiple windowing systems Traversal operations: spell-checking, hyphenation 9
10 The Game I describe a design problem for the editor I ask What is your design? This is audience participation time I give you the wise and insightful pattern 10
11 Problem: Document Structure A document is represented by its physical structure: Primitive glyphs characters, rectangles, circles, pictures,... Lines A sequence of glyphs Columns A sequence of lines Pages A sequence of columns Documents A sequence of pages What is your design? 11
12 Alternative Designs Classes for Character, Circle, Line, Column, Page, Not so good A lot of code duplication One (abstract) class of Glyph Each element realized by a subclass of Glyph All elements present the same interface How to draw Compute bounding rectangle Mouse hit detection Makes extending the class easy Treats all elements uniformly 12
13 Example of Hierarchical Composition character glyph A c a r picture glyph line glyph (composite) column glyph (composite) 13
14 Diagram Glyph Draw(Window) Intersects(Point p) n children Character Picture Line Draw(Window) Intersects(Point p) Draw(Window) Intersects(Point p) Draw(Window) Intersects(Point p) 14
15 Notes Drawing Each primitive element draws itself At its assigned location Each compound element recursively calls draw on its elements But doesn t care what those elements are Line::Draw(Window w) { for each c in children do c->draw(w); } 15
16 Composites This is the composite pattern Goes by many other names Recursive composition, structural induction, tree walk, Predates design patterns Applies to any hierarchical structure Leaves and internal nodes have same functionality Composite implements the same interface as the contained elements 16
17 Problem: Formatting A particular physical structure for a document Decisions about layout Must deal with e.g., line breaking Design issues Layout is complicated No best algorithm Many alternatives, simple to complex What is your design? 17
18 Not So Good Add a format method to each Glyph class Problems Can t modify the algorithm without modifying Glyph Can t easily add new formatting algorithms 18
19 The Core Issue Formatting is complex We don t want that complexity to pollute Glyph We may want to change the formatting method Encapsulate formatting behind an interface Each formatting algorithm an instance Glyph only deals with the interface 19
20 Diagram Glyph Draw(Window) Intersects(Point p) Insert(Glyph) Document Draw(Window) Intersects(Point p) Insert(Glyph g) 1 Formatter Format() formatter FormatWord Format() FormatTex Format() 20
21 Strategies This is the strategy pattern Isolates variations in algorithms we might use Formatter is the strategy, Compositor is context General principle encapsulate variation In OO languages, this means defining abstract classes for things that are likely to change 21
22 Problem: Enhancing the User Interface We will want to decorate elements of the UI Add borders Scrollbars Etc. How do we incorporate this into the physical structure? What is your design? 22
23 Not So Good Object behavior can be extended using inheritance Major drawback: inheritance structure is static Subclass elements of Glyph BorderedComposition ScrolledComposition BorderedAndScrolledComposition ScrolledAndBorderedComposition Leads to an explosion of classes 23
24 Decorators Want to have a number of decorations (e.g., Border, ScrollBar, Menu) that we can mix independently x = new ScrollBar(new Border(new Character)) We have n decorators and 2 n combinations 24
25 Transparent Enclosure Define Decorator Implements Glyph Has one member Glyph decorated Border, ScrollBar, Menu extend Decorator Border::Draw(Window w) { decorated->draw(w); drawborder(decorated->bounds()); } 25
26 Diagram Glyph Draw(Win) Border Draw(Win) decorated->draw(w) DrawBorder(w) decorated decorated->draw(w) DrawScrollBar(w) Decorator SetDecorated(Glyph g) Draw(Win) ScrollBar Draw(Win) 26
27 Decorators This is the decorator pattern A way of adding responsibilities to an object Commonly extending a composite As in this example 27
28 Problem: Supporting Look-and-Feel Standards Different look-and-feel standards Appearance of scrollbars, menus, etc. We want the editor to support them all What do we write in code like ScrollBar scr = new? What is your design? 28
29 The Not-so-Good Strawmen Terrible ScrollBar scr = new MotifScrollBar Little better ScrollBar scr; if (style == MOTIF) then scr = new MotifScrollBar else if (style == ) then - will have similar conditionals for menus, borders, etc. 29
30 Abstract Object Creation Encapsulate what varies in a class Here object creation varies Want to create different menu, scrollbar, etc Depending on current look-and-feel Define a GUIFactory class One method to create each look-and-feel dependent object One GUIFactory object for each look-and-feel Created itself using conditionals 30
31 Diagram GuiFactory CreateScrollBar() CreateMenu() MotifFactory CreateScrollBar() { return new MotifScrollBar();} CreateMenu() { return new MotifMenu();} MacFactory CreateScrollBar() { return new MacScrollBar()} CreateMenu() { return new MacMenu()} 31
32 Diagram 2: Abstract Products Glyph ScrollBar scrollto(int); MotifScrollBar scrollto(int); MacScrollBar scrollto(int); 32
33 Factories This is the abstract factory pattern A class which Abstracts the creation of a family of objects Different instances provide alternative implementations of that family Note The current factory is still a global variable The factory can be changed even at runtime 33
34 Problem: Supporting Multiple Window Systems We want to run on multiple window systems Problem: Wide variation in standards Big interfaces Can t afford to implement our own windowing system Different models of window operations Resizing, drawing, raising, etc. Different functionality What is your design? 34
35 A First Cut Take the intersection of all functionality A feature is in our window model if it is in every real-world windowing system we want to support Define an abstract factory to hide variation Create windowing objects for current window system using the factory Problem: intersection of functionality may not be large enough 35
36 Second Cut Define our own abstract window hierarchy All operations we need represented Model is tuned to our application Define a parallel hierarchy Abstracts concrete window systems Has all functionality we need I.e., could be more than the intersection of functions Requires writing methods for systems missing functionality 36
37 Diagram wimpl->drawline; wimpl->drawline; wimpl->drawline; wimpl->drawline; wimpl Window DrawRect() WindowImp DrawLine() AppWindow IconWindow MacWindowImp DrawLine() XWindowImp DrawLine() 37
38 Bridges This is the bridge pattern Note we have two hierarchies Logical The view of our application, tuned to our needs Implementation The interface to the outside world Abstract base class, with multiple implementations Logical, implementational views can evolve independently, So long as the bridge is maintained 38
39 User Commands User has a vocabulary of operations E.g., jump to a particular page Operations can be invoked multiple ways By a menu By clicking an icon By keyboard shortcut Want undo/redo/command line option/menu option How do we represent user commands? What is your design? 39
40 A Good Design Define a class of user operations Abstract class Presents interface common to all operations E.g., undo/redo Each operation is a subclass Jump to a page, cut, paste, 40
41 Diagram Command Execute() Undo() CutCommand Execute() Undo() SaveCommand Execute() Undo() 41
42 Commands This is the command pattern Note the user has a small programming language The abstraction makes this explicit In this case the language is finite Class structure can represent all possibilities explicitly Other patterns for richer languages E.g., the Interpreter Pattern 42
43 Problem: Spell Checking Considerations Spell-checking requires traversing the document Need to see every glyph, in order Information we need is scattered all over the document There may be other analyses we want to perform E.g., grammar analysis What is your design? 43
44 One Possibility Iterators Hide the structure of a container from clients A method for pointing to the first element advancing to the next element getting the current element testing for termination iterator i = CreateIterator(composition); for(i = i->first();!(i->isdone()); i = i->next()) { do something with Glyph i->current() ; } 44
45 Diagram Iterator First() Next() PreorderIterator First() Next() PostorderIterator First() Next() 45
46 Notes Iterators work well if we don t need to know the type of the elements being iterated over E.g., send kill message to all processes in a queue Not a good fit for spell-checking for(i = i->first();!(i->isdone()); i = i->next()) { do something with Glyph i->current() ; } Must cast i->current() to spell-check it... if(i instanceof Char) { } else { } 46
47 Visitors The visitor pattern is more general Iterators provide traversal of containers Visitors allow The idea Traversal And type-specific actions Separate traversal from the action Have a do it method for each element type Can be overridden in a particular traversal 47
48 Diagram Glyph Draw(Window) Scan(Visitor) Visitor visitchar(character) visitpicture(picture) visitline(column) Character Draw(Window) Scan(Visitor v) { v->visitchar(this); } Picture Draw(Window) Scan(Visitor v) { v->visitpicture(this); } Line Draw(Window) Scan(Visitor v) { v->visitline(this); for each c in children c->scan(v) } 48
49 Visitor Comments The dynamic dispatch on Glyph::Scan achieves type-safe casting dynamic dispatch to Char::Scan, Picture::Scan, Each of the Glyph::Scan calls the visitor-specific action (e.g., Visitor:visitChar) implements the search (e.g., in Line::Scan) Have a visitor for each action (e.g., spellcheck, search-and-replace) 49
50 Design Patterns A good idea Simple Describe useful micro-architectures Capture common organizations of classes/objects Give us a richer vocabulary of design Relatively few patterns of real generality Watch out for the hype... 50
Patterns in. Lecture 2 GoF Design Patterns Creational. Sharif University of Technology. Department of Computer Engineering
Patterns in Software Engineering Lecturer: Raman Ramsin Lecture 2 GoF Design Patterns Creational 1 GoF Design Patterns Principles Emphasis on flexibility and reuse through decoupling of classes. The underlying
Gadget: A Tool for Extracting the Dynamic Structure of Java Programs
Gadget: A Tool for Extracting the Dynamic Structure of Java Programs Juan Gargiulo and Spiros Mancoridis Department of Mathematics & Computer Science Drexel University Philadelphia, PA, USA e-mail: gjgargiu,smancori
How To Use The Command Pattern In Java.Com (Programming) To Create A Program That Is Atomic And Is Not A Command Pattern (Programmer)
CS 342: Object-Oriented Software Development Lab Command Pattern and Combinations David L. Levine Christopher D. Gill Department of Computer Science Washington University, St. Louis levine,[email protected]
Génie Logiciel et Gestion de Projets. Patterns
Génie Logiciel et Gestion de Projets Patterns 1 Alexander s patterns Christoffer Alexander The Timeless Way of Building, Christoffer Alexander, Oxford University Press, 1979, ISBN 0195024028 Each pattern
Structural Design Patterns Used in Data Structures Implementation
Structural Design Patterns Used in Data Structures Implementation Niculescu Virginia Department of Computer Science Babeş-Bolyai University, Cluj-Napoca email address: [email protected] November,
CMSC 132: Object-Oriented Programming II. Design Patterns I. Department of Computer Science University of Maryland, College Park
CMSC 132: Object-Oriented Programming II Design Patterns I Department of Computer Science University of Maryland, College Park Design Patterns Descriptions of reusable solutions to common software design
Scratch Primary Lesson 4
Scratch Primary Lesson 4 Motion and Direction creativecomputerlab.com Motion and Direction In this session we re going to learn how to move a sprite. Go to http://scratch.mit.edu/ and start a new project:
Content Author's Reference and Cookbook
Sitecore CMS 6.2 Content Author's Reference and Cookbook Rev. 091019 Sitecore CMS 6.2 Content Author's Reference and Cookbook A Conceptual Overview and Practical Guide to Using Sitecore Table of Contents
ARIS Design Platform Getting Started with BPM
Rob Davis and Eric Brabander ARIS Design Platform Getting Started with BPM 4y Springer Contents Acknowledgements Foreword xvii xix Chapter 1 An Introduction to BPM 1 1.1 Brief History of Business Process
Fundamentals of Java Programming
Fundamentals of Java Programming This document is exclusive property of Cisco Systems, Inc. Permission is granted to print and copy this document for non-commercial distribution and exclusive use by instructors
Rapid Application Development of a Decision Support System using Object Oriented Programming
Rapid Application Development of a Decision Support System using Object Oriented Programming Amy Roehrig, Trilogy Consulting Corporation, Pleasant Grove, UT Abstract Constantly changing business needs
Quickstart for Desktop Version
Quickstart for Desktop Version What is GeoGebra? Dynamic Mathematics Software in one easy-to-use package For learning and teaching at all levels of education Joins interactive 2D and 3D geometry, algebra,
I ntroduction. Accessing Microsoft PowerPoint. Anatomy of a PowerPoint Window
Accessing Microsoft PowerPoint To access Microsoft PowerPoint from your home computer, you will probably either use the Start menu to select the program or double-click on an icon on the Desktop. To open
Name of pattern types 1 Process control patterns 2 Logic architectural patterns 3 Organizational patterns 4 Analytic patterns 5 Design patterns 6
The Researches on Unified Pattern of Information System Deng Zhonghua,Guo Liang,Xia Yanping School of Information Management, Wuhan University Wuhan, Hubei, China 430072 Abstract: This paper discusses
Java Application Developer Certificate Program Competencies
Java Application Developer Certificate Program Competencies After completing the following units, you will be able to: Basic Programming Logic Explain the steps involved in the program development cycle
WYSIWYG Tips and FAQ
WYSIWYG Tips and FAQ Version 1.0 WYSIWYG: What you see is what you get. This is an abbreviation for the type of editor Acalog uses. You will layout your content in the editor, and when you hit preview,
Computing Concepts with Java Essentials
2008 AGI-Information Management Consultants May be used for personal purporses only or by libraries associated to dandelon.com network. Computing Concepts with Java Essentials 3rd Edition Cay Horstmann
Design Patterns. Design patterns are known solutions for common problems. Design patterns give us a system of names and ideas for common problems.
Design Patterns Design patterns are known solutions for common problems. Design patterns give us a system of names and ideas for common problems. What are the major description parts? Design Patterns Descriptions
core. Volume I - Fundamentals Seventh Edition Sun Microsystems Press A Prentice Hall Title ULB Darmstadt
core. 2008 AGI-Information Management Consultants May be used for personal purporses only or by libraries associated to dandelon.com network. Volume I - Fundamentals Seventh Edition CAY S. HORSTMANN GARY
A First Set of Design Patterns for Algorithm Animation
Fifth Program Visualization Workshop 119 A First Set of Design Patterns for Algorithm Animation Guido Rößling CS Department, TU Darmstadt Hochschulstr. 10 64289 Darmstadt, Germany [email protected] Abstract
Assignment # 2: Design Patterns and GUIs
CSUS COLLEGE OF ENGINEERING AND COMPUTER SCIENCE Department of Computer Science CSc 133 Object-Oriented Computer Graphics Programming Spring 2014 John Clevenger Assignment # 2: Design Patterns and GUIs
A QUICK OVERVIEW OF THE OMNeT++ IDE
Introduction A QUICK OVERVIEW OF THE OMNeT++ IDE The OMNeT++ 4.x Integrated Development Environment is based on the Eclipse platform, and extends it with new editors, views, wizards, and additional functionality.
Graphic Design for Beginners
Graphic Design for Beginners Level: Duration: Time: Cost: Introduction 6 Days 9:30 AM - 4:30 PM Call for details Overview Managing the Adobe Photoshop Environment Working with Selections Enhancing an Image
BELEN JESUIT PREPARATORY SCHOOL Computer Science Department COURSE DESCRIPTIONS. And OBJECTIVES
BELEN JESUIT PREPARATORY SCHOOL Computer Science Department COURSE DESCRIPTIONS And OBJECTIVES Revised 2006-2007 Introduction to Computers (CS 3120).5 Credit Grade Level: 6 Prerequisites: None (required
How to create labels using a Microsoft Access data file?
How to create labels using a Microsoft Access data file? Step 1. a) Open a new layout. b) Select the size of the label. pg.1 Step 2. The next step is to open the Access file containing the data you wish
Content Author's Reference and Cookbook
Sitecore CMS 6.5 Content Author's Reference and Cookbook Rev. 110621 Sitecore CMS 6.5 Content Author's Reference and Cookbook A Conceptual Overview and Practical Guide to Using Sitecore Table of Contents
Creating Online Surveys with Qualtrics Survey Tool
Creating Online Surveys with Qualtrics Survey Tool Copyright 2015, Faculty and Staff Training, West Chester University. A member of the Pennsylvania State System of Higher Education. No portion of this
Design principles of the Drupal CSC website
CERN IT Department Report Design principles of the Drupal CSC website Stanislav Pelák Supervisor: Giuseppe Lo Presti 26th September 2013 Contents 1 Introduction 1 1.1 Initial situation.........................
Software Development Methodologies
Software Development Methodologies Lecturer: Raman Ramsin Lecture 7 Integrated Object-Oriented Methodologies: OPEN and FOOM 1 Object-oriented Process, Environment and Notation (OPEN) First introduced in
Excerpts from Chapter 4, Architectural Modeling -- UML for Mere Mortals by Eric J. Naiburg and Robert A. Maksimchuk
Excerpts from Chapter 4, Architectural Modeling -- UML for Mere Mortals by Eric J. Naiburg and Robert A. Maksimchuk Physical Architecture As stated earlier, architecture can be defined at both a logical
Domains and Competencies
Domains and Competencies DOMAIN I TECHNOLOGY APPLICATIONS CORE Standards Assessed: Computer Science 8 12 I VII Competency 001: The computer science teacher knows technology terminology and concepts; the
Object Oriented Design
Object Oriented Design Kenneth M. Anderson Lecture 20 CSCI 5828: Foundations of Software Engineering OO Design 1 Object-Oriented Design Traditional procedural systems separate data and procedures, and
Glossary of Object Oriented Terms
Appendix E Glossary of Object Oriented Terms abstract class: A class primarily intended to define an instance, but can not be instantiated without additional methods. abstract data type: An abstraction
Microsoft Access 2010 handout
Microsoft Access 2010 handout Access 2010 is a relational database program you can use to create and manage large quantities of data. You can use Access to manage anything from a home inventory to a giant
GenericServ, a Generic Server for Web Application Development
EurAsia-ICT 2002, Shiraz-Iran, 29-31 Oct. GenericServ, a Generic Server for Web Application Development Samar TAWBI PHD student [email protected] Bilal CHEBARO Assistant professor [email protected] Abstract
Encapsulating Crosscutting Concerns in System Software
Encapsulating Crosscutting Concerns in System Software Christa Schwanninger, Egon Wuchner, Michael Kircher Siemens AG Otto-Hahn-Ring 6 81739 Munich Germany {christa.schwanninger,egon.wuchner,michael.kircher}@siemens.com
Browsing and working with your files and folder is easy with Windows 7 s new look Windows Explorer.
Getting Started with Windows 7 In Windows 7, the desktop has been given an overhaul and makeover to introduce a clean new look. While the basic functionality remains the same, there are a few new navigation
USER CONVERSION P3, SURETRAK AND MICROSOFT PROJECT ASTA POWERPROJECT PAUL E HARRIS EASTWOOD HARRIS
P.O. Box 4032 EASTWOOD HARRIS PTY LTD Tel 61 (0)4 1118 7701 Doncaster Heights ACN 085 065 872 Fax 61 (0)3 9846 7700 Victoria 3109 Project Management Systems Email: [email protected] Australia Software
Content Management System
OIT Training and Documentation Services Content Management System End User Training Guide OIT TRAINING AND DOCUMENTATION [email protected] http://www.uta.edu/oit/cs/training/index.php 2009 CONTENTS 1.
Flash Tutorial Part I
Flash Tutorial Part I This tutorial is intended to give you a basic overview of how you can use Flash for web-based projects; it doesn t contain extensive step-by-step instructions and is therefore not
Types of UML Diagram. UML Diagrams 140703-OOAD. Computer Engineering Sem -IV
140703-OOAD Computer Engineering Sem -IV Introduction to UML - UML Unified Modeling Language diagram is designed to let developers and customers view a software system from a different perspective and
Modeling the User Interface of Web Applications with UML
Modeling the User Interface of Web Applications with UML Rolf Hennicker,Nora Koch,2 Institute of Computer Science Ludwig-Maximilians-University Munich Oettingenstr. 67 80538 München, Germany {kochn,hennicke}@informatik.uni-muenchen.de
Guide to SAS/AF Applications Development
Guide to SAS/AF Applications Development SAS Documentation The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2012. Guide to SAS/AF Applications Development. Cary, NC:
ABSTRACT FACTORY AND SINGLETON DESIGN PATTERNS TO CREATE DECORATOR PATTERN OBJECTS IN WEB APPLICATION
ABSTRACT FACTORY AND SINGLETON DESIGN PATTERNS TO CREATE DECORATOR PATTERN OBJECTS IN WEB APPLICATION Vijay K Kerji Department of Computer Science and Engineering, PDA College of Engineering,Gulbarga,
Publisher 2010 Cheat Sheet
April 20, 2012 Publisher 2010 Cheat Sheet Toolbar customize click on arrow and then check the ones you want a shortcut for File Tab (has new, open save, print, and shows recent documents, and has choices
Software Refactoring using New Architecture of Java Design Patterns
Software Refactoring using New Architecture of Java Design Patterns Norddin Habti, Prashant 1, 1 Departement d informatique et de recherche operationnelle, Universite de Montreal, Quebec, Canada (Dated:
Johannes Sametinger. C. Doppler Laboratory for Software Engineering Johannes Kepler University of Linz A-4040 Linz, Austria
OBJECT-ORIENTED DOCUMENTATION C. Doppler Laboratory for Software Engineering Johannes Kepler University of Linz A-4040 Linz, Austria Abstract Object-oriented programming improves the reusability of software
Ohio University Computer Services Center August, 2002 Crystal Reports Introduction Quick Reference Guide
Open Crystal Reports From the Windows Start menu choose Programs and then Crystal Reports. Creating a Blank Report Ohio University Computer Services Center August, 2002 Crystal Reports Introduction Quick
Getting Started with Excel 2008. Table of Contents
Table of Contents Elements of An Excel Document... 2 Resizing and Hiding Columns and Rows... 3 Using Panes to Create Spreadsheet Headers... 3 Using the AutoFill Command... 4 Using AutoFill for Sequences...
From Systems to Services
From Systems to Services How we can collaborate in the new paradigm? Randy Ballew, Chief Technology Architect, IST-AS Steve Masover, Architecture Group, IST-AS Overview What is "software as services"?
Chapter 3 Chapter 3 Service-Oriented Computing and SOA Lecture Note
Chapter 3 Chapter 3 Service-Oriented Computing and SOA Lecture Note Text book of CPET 545 Service-Oriented Architecture and Enterprise Application: SOA Principles of Service Design, by Thomas Erl, ISBN
Creating Carbon Menus. (Legacy)
Creating Carbon Menus (Legacy) Contents Carbon Menus Concepts 4 Components of a Carbon Menu 4 Carbon Menu Tasks 6 Creating a Menu Using Nibs 6 The Nib File 7 The Menus Palette 11 Creating a Simple Menu
Microsoft Word 2013 Tutorial
Microsoft Word 2013 Tutorial GETTING STARTED Microsoft Word is one of the most popular word processing programs supported by both Mac and PC platforms. Microsoft Word can be used to create documents, brochures,
Architecture, Design and Implementation of a Mathematical Derivation Editor. Johannes Eriksson
Architecture, Design and Implementation of a Mathematical Derivation Editor Johannes Eriksson What is the Derivation Editor? The Mathematical Derivation Editor (nicknamed Mathedit ) is work in progress;
Triggers & Actions 10
Triggers & Actions 10 CHAPTER Introduction Triggers and actions are the building blocks that you can use to create interactivity and custom features. Once you understand how these building blocks work,
Implementação. Interfaces Pessoa Máquina 2010/11. 2009-11 Salvador Abreu baseado em material Alan Dix. Thursday, June 2, 2011
Implementação Interfaces Pessoa Máquina 2010/11 2009-11 baseado em material Alan Dix 1 Windowing systems Architecture Layers Higher level Tool UI Toolkit (Widgets) Window System OS Application Hardware
game development documentation game development documentation: concept document
topics: game design documents design document references: cisc3665 game design fall 2011 lecture # IV.1 game development documentation notes from: Game Design: Theory & Practice (2nd Edition), by Richard
Creating Comic Life Images Using Microsoft Word, Clipart, and Irfanview.
Creating Comic Life Images Using Microsoft Word, Clipart, and Irfanview. Clipart Microsoft Word Irfanview 1. Open up Microsoft Word It will act as a blank canvas for us to add our images and layer them.
Word basics. Before you begin. What you'll learn. Requirements. Estimated time to complete:
Word basics Word is a powerful word processing and layout application, but to use it most effectively, you first have to understand the basics. This tutorial introduces some of the tasks and features that
ADOBE MUSE. Building your first website
ADOBE MUSE Building your first website Contents Chapter 1... 1 Chapter 2... 11 Chapter 3... 20 Chapter 4... 30 Chapter 5... 38 Chapter 6... 48 Chapter 1 Installing the software and setting up the sample
AP Computer Science AB Syllabus 1
AP Computer Science AB Syllabus 1 Course Resources Java Software Solutions for AP Computer Science, J. Lewis, W. Loftus, and C. Cocking, First Edition, 2004, Prentice Hall. Video: Sorting Out Sorting,
MiniDraw Introducing a framework... and a few patterns
MiniDraw Introducing a framework... and a few patterns What is it? [Demo] 2 1 What do I get? MiniDraw helps you building apps that have 2D image based graphics GIF files Optimized repainting Direct manipulation
Design Patterns. Advanced Software Paradigms (A. Bellaachia) 1
Design Patterns 1. Objectives... 2 2. Definitions... 3 2.1. What is a Pattern?... 3 2.2. Categories of Patterns... 4 3. Pattern Characteristics [Buschmann]:... 5 4. Essential Elements of a Design Pattern
Using the Query Analyzer
Using the Query Analyzer Using the Query Analyzer Objectives Explore the Query Analyzer user interface. Learn how to use the menu items and toolbars to work with SQL Server data and objects. Use object
HIT THE GROUND RUNNING MS WORD INTRODUCTION
HIT THE GROUND RUNNING MS WORD INTRODUCTION MS Word is a word processing program. MS Word has many features and with it, a person can create reports, letters, faxes, memos, web pages, newsletters, and
Microsoft Word 2010 Tutorial
Microsoft Word 2010 Tutorial GETTING STARTED Microsoft Word is one of the most popular word processing programs supported by both Mac and PC platforms. Microsoft Word can be used to create documents, brochures,
Microsoft Word 2010 Tutorial
1 Microsoft Word 2010 Tutorial Microsoft Word 2010 is a word-processing program, designed to help you create professional-quality documents. With the finest documentformatting tools, Word helps you organize
Designing portal site structure and page layout using IBM Rational Application Developer V7 Part of a series on portal and portlet development
Designing portal site structure and page layout using IBM Rational Application Developer V7 Part of a series on portal and portlet development By Kenji Uchida Software Engineer IBM Corporation Level: Intermediate
A Graphical User Interface Testing Methodology
A Graphical User Interface Testing Methodology Ellis Horowitz and Zafar Singhera Department of Computer Science University of Southern California Los Angeles, California 90089-0781 USC-CS-93-550 Abstract
Top 10 Oracle SQL Developer Tips and Tricks
Top 10 Oracle SQL Developer Tips and Tricks December 17, 2013 Marc Sewtz Senior Software Development Manager Oracle Application Express Oracle America Inc., New York, NY The following is intended to outline
SAP Business Intelligence (BI) Reporting Training for MM. General Navigation. Rick Heckman PASSHE 1/31/2012
2012 SAP Business Intelligence (BI) Reporting Training for MM General Navigation Rick Heckman PASSHE 1/31/2012 Page 1 Contents Types of MM BI Reports... 4 Portal Access... 5 Variable Entry Screen... 5
This document covers version 1.0.1 of BPMN2 Modeler, published November 15, 2013.
INTRODUCTION The Eclipse BPMN2 Modeler is an open-source, graphical tool for authoring and editing files that are compliant with the OMG BPMN 2.0 standard. It is assumed that the reader is familiar with
Java 6 'th. Concepts INTERNATIONAL STUDENT VERSION. edition
Java 6 'th edition Concepts INTERNATIONAL STUDENT VERSION CONTENTS PREFACE vii SPECIAL FEATURES xxviii chapter i INTRODUCTION 1 1.1 What Is Programming? 2 J.2 The Anatomy of a Computer 3 1.3 Translating
Compiling Object Oriented Languages. What is an Object-Oriented Programming Language? Implementation: Dynamic Binding
Compiling Object Oriented Languages What is an Object-Oriented Programming Language? Last time Dynamic compilation Today Introduction to compiling object oriented languages What are the issues? Objects
A Pattern Language for Developing Web based Multi Source Data Acquisition Application 1
A Pattern Language for Developing Web based Multi Source Data Acquisition Application 1 Lei Zhen Email: [email protected] Guangzhen Shao Email: [email protected] Beijing Salien Computer Company
PowerPoint 2013 Basics of Creating a PowerPoint Presentation
Revision 4 (01-31-2014) PowerPoint 2013 Basics of Creating a PowerPoint Presentation MICROSOFT POWERPOINT PowerPoint is software that lets you create visual presentations. PowerPoint presentations are
Beginning Word. Objectives: You will-
Beginning Word Objectives: You will- 1. Open, close, and save documents. 2. Use the help button to answer questions. 3. Enter/Delete text. 4. Set tabs manually and with page set up. 5. Navigate in a document
Software Engineering Transfer Degree
www.capspace.org (01/17/2015) Software Engineering Transfer Degree This program of study is designed for associate-degree students intending to transfer into baccalaureate programs awarding software engineering
ARCHITECTURAL DESIGN OF MODERN WEB APPLICATIONS
ARCHITECTURAL DESIGN OF MODERN WEB APPLICATIONS Lech MADEYSKI *, Michał STOCHMIAŁEK Abstract. Architectural design is about decisions which influence characteristics of arising system e.g. maintainability
CHAPTER 1: CLIENT/SERVER INTEGRATED DEVELOPMENT ENVIRONMENT (C/SIDE)
Chapter 1: Client/Server Integrated Development Environment (C/SIDE) CHAPTER 1: CLIENT/SERVER INTEGRATED DEVELOPMENT ENVIRONMENT (C/SIDE) Objectives Introduction The objectives are: Discuss Basic Objects
Contents. Introduction and System Engineering 1. Introduction 2. Software Process and Methodology 16. System Engineering 53
Preface xvi Part I Introduction and System Engineering 1 Chapter 1 Introduction 2 1.1 What Is Software Engineering? 2 1.2 Why Software Engineering? 3 1.3 Software Life-Cycle Activities 4 1.3.1 Software
SiteBuilder 2.1 Manual
SiteBuilder 2.1 Manual Copyright 2004 Yahoo! Inc. All rights reserved. Yahoo! SiteBuilder About This Guide With Yahoo! SiteBuilder, you can build a great web site without even knowing HTML. If you can
Design document Goal Technology Description
Design document Goal OpenOrienteering Mapper is a program to draw orienteering maps. It helps both in the surveying and the following final drawing task. Support for course setting is not a priority because
An Automatic Reversible Transformation from Composite to Visitor in Java
An Automatic Reversible Transformation from Composite to Visitor in Java Akram To cite this version: Akram. An Automatic Reversible Transformation from Composite to Visitor in Java. CIEL 2012, P. Collet,
USER GUIDE. Unit 4: Schoolwires Editor. Chapter 1: Editor
USER GUIDE Unit 4: Schoolwires Chapter 1: Schoolwires Centricity Version 4.2 TABLE OF CONTENTS Introduction... 1 Audience and Objectives... 1 Getting Started... 1 How the Works... 2 Technical Requirements...
Composing Concerns with a Framework Approach
Composing Concerns with a Framework Approach Constantinos A. Constantinides 1,2 and Tzilla Elrad 2 1 Mathematical and Computer Sciences Department Loyola University Chicago [email protected] 2 Concurrent
User Guide QAD Customer Relationship Management. Introduction Sales Management Marketing Management Customer Service Reference
User Guide QAD Customer Relationship Management Introduction Sales Management Marketing Management Customer Service Reference 70-3192-6.6.3 QAD CRM 6.6.3 September 2014 This document contains proprietary
Baseline Code Analysis Using McCabe IQ
White Paper Table of Contents What is Baseline Code Analysis?.....2 Importance of Baseline Code Analysis...2 The Objectives of Baseline Code Analysis...4 Best Practices for Baseline Code Analysis...4 Challenges
CREATING FORMAL REPORT. using MICROSOFT WORD. and EXCEL
CREATING a FORMAL REPORT using MICROSOFT WORD and EXCEL TABLE OF CONTENTS TABLE OF CONTENTS... 2 1 INTRODUCTION... 4 1.1 Aim... 4 1.2 Authorisation... 4 1.3 Sources of Information... 4 2 FINDINGS... 4
In this session, we will explain some of the basics of word processing. 1. Start Microsoft Word 11. Edit the Document cut & move
WORD PROCESSING In this session, we will explain some of the basics of word processing. The following are the outlines: 1. Start Microsoft Word 11. Edit the Document cut & move 2. Describe the Word Screen
TEACHING COMPUTER PROGRAMMING WITH PROGRAM ANIMATION
TEACHING COMPUTER PROGRAMMING WITH PROGRAM ANIMATION Theodore S. Norvell and Michael P. Bruce-Lockhart Electrical and Computer Engineering Faculty of Engineering and Applied Science Memorial University
What s New V 11. Preferences: Parameters: Layout/ Modifications: Reverse mouse scroll wheel zoom direction
What s New V 11 Preferences: Reverse mouse scroll wheel zoom direction Assign mouse scroll wheel Middle Button as Fine tune Pricing Method (Manufacturing/Design) Display- Display Long Name Parameters:
SignalDraw: GUI Tool For Generating Pulse Sequences
SignalDraw: GUI Tool For Generating Pulse Sequences Konstantin Berlin Department of Computer Science University of Maryland College Park, MD 20742 [email protected] December 9, 2005 Abstract Generating
Flowcharting, pseudocoding, and process design
Systems Analysis Pseudocoding & Flowcharting 1 Flowcharting, pseudocoding, and process design The purpose of flowcharts is to represent graphically the logical decisions and progression of steps in the
