Native Implementation of Mutable Value Semantics ICOOOLPS ’21, July 13, 2021, Online

Total Page:16

File Type:pdf, Size:1020Kb

Load more

Native Implementation of Mutable Value Semantics Dimitri Racordon Denys Shabalin Daniel Zheng [email protected] [email protected] [email protected] Faculty of Science Google Google University of Geneva Switzerland United States Switzerland Dave Abrahams Brennan Saeta [email protected] [email protected] Google Google United States United States ABSTRACT 1 INTRODUCTION Unrestricted mutation of shared state is a source of many well- Software development continuously grows in complexity, as ap- known problems. The predominant safe solutions are pure func- plications get larger and hardware more sophisticated. One well- tional programming, which bans mutation outright, and flow sen- established principle to tackle this challenge is local reasoning, de- sitive type systems, which depend on sophisticated typing rules. scrbibed by O’Hearn et al. [4] as follows: Mutable value semantics is a third approach that bans sharing in- To understand how a program works, it should be pos- stead of mutation, thereby supporting part-wise in-place mutation sible for reasoning and specification to be confined to and local reasoning, while maintaining a simple type system. In the cells that the program actually accesses. The value the purest form of mutable value semantics, references are second- of any other cell will automatically remain unchanged. class: they are only created implicitly, at function boundaries, and cannot be stored in variables or object fields. Hence, variables can There are two common ways to uphold local reasoning. One never share mutable state. takes inspiration from pure functional languages and immutability. Because references are often regarded as an indispensable tool Unfortunately, this paradigm may fail to capture the programmer’s to write efficient programs, it is legitimate to wonder whether such mental model, or prove ill-suited to express and optimize some al- a discipline can compete other approaches. As a basis for answer- gorithms [5], due to the inability to express in-place mutation. ing that question, we demonstrate how a language featuring muta- Another approach aims to tame aliasing. Newer programming ble value semantics can be compiled to efficient native code. This languages have successfully blended ideas from ownership types [1], approach relies on stack allocation for static garbage collection and type capabilities [2], and region-based memory management [9] leverages runtime knowledge to sidestep unnecessary copies. into flow-sensitive type systems, offering greater expressiveness and giving more freedom to write efficient implementations. Un- CCS CONCEPTS fortunately, these approaches have complexity costs that signifi- cantly raise the entry barrier for inexperienced developers [10]. • Software and its engineering → Source code generation; Mutable value semantics (MVS) offers a tradeoff that does not Runtime environments; Language features. add the complexity inherent to flow-sensitive type systems, yet preserves the ability to express in-place, part-wise mutation. It does KEYWORDS so treating references as a “second-class” concept. References are mutable value semantics, local reasoning, native compilation only created at function boundaries by the language implementa- arXiv:2106.12678v1 [cs.PL] 23 Jun 2021 tion, and only if the compiler can prove their uniqueness. Further, ACM Reference Format: they can neither be assigned to a variable nor stored in object fields. Dimitri Racordon, Denys Shabalin, Daniel Zheng, Dave Abrahams, and Bren- Hence, all values form disjoint topological trees, whose roots are nan Saeta. 2021. Native Implementation of Mutable Value Semantics. In assigned to the program’s variables. ICOOOLPS ’21, June 13, 2021, Online. ACM, New York, NY, USA, 4 pages. The reader may understandably worry about expressiveness and https://doi.org/10.1145/nnnnnnn.nnnnnnn efficiency, as references are often held as indispensable for both aspects. We note that a large body of software projects already ad- dress expressiveness concerns empirically, such as the Boost Graph Permission to make digital or hard copies of all or part of this work for personal or classroom use is granted without fee provided that copies are not made or distributed Library[7], leveraging MVS to elucidate recurring questions sur- for profit or commercial advantage and that copies bear this notice and the full cita- rounding equality, copies, and mutability, and develop generic data tion on the first page. Copyrights for components of this work owned by others than structures and algorithms [8]. ACM must be honored. Abstracting with credit is permitted. To copy otherwise, or re- publish, to post on servers or to redistribute to lists, requires prior specific permission This paper focuses on the question of efficiency. We discuss an and/or a fee. Request permissions from [email protected]. approach for compiling languages featuring MVS to native code, ICOOOLPS ’21, July 13, 2021, Online relying on stack allocation for static garbage collection and using © 2021 Association for Computing Machinery. ACM ISBN 978-x-xxxx-xxxx-x/YY/MM...$15.00 runtime information to elide unnecessary copies. We present it in https://doi.org/10.1145/nnnnnnn.nnnnnnn the context of a toy programming language, called MVSL, inspired ICOOOLPS ’21, July 13, 2021, Online Trovato and Tobin, et al. by Swift, for which we have written a compiler. Our implemen- Functions are declared with the keyword func followed by a list tation is available as an open-source project hosted on GitHub: of typed parameters, a codomain, and a body. Functions are anony- https://github.com/kyouko-taiga/mvs-calculus. mous but are first-class citizen values that can be assigned, passed as an argument, or returned from other functions. Arguments are 2 A QUICK TOUR OF MVSL evaluated eagerly and passed by copy. Further, functions are al- MVSL is a statically typed expression-oriented language, designed lowed to capture identifiers from their declaration environment. to illustrate the core principles of MVS. In MVSL, a program is a Such captures also result in copies and stored in the function’s clo- sequence of structure declarations, followed by a single expression sure, thus preserving value independence. denoting the entry point (i.e., the main function in a C program). 1 var foo: Int = 42 in var A variable is declared with the keyword followed by a name, 2 var fn: () -> Int { a type annotation, an initial value, and the expression in which it 3 foo = foo + 1 in foo is bound. A constant is declared similarly, with the keyword let. 4 } in 1 var foo: Int = 4 in 5 let bar = fn() in 2 let bar: Int = foo in bar 6 bar // foo is equal to 0 7 // bar is equal to 1 There are three built-in data types in the MVSL: Int for signed integer values, Float for floating-point values, and a generic type To implement part-wise in-place mutation across function bound- inout [T] for arrays of type T. In addition, the language supports two aries, values of parameters annotated can be mutated by the inout kinds of user-defined types: functions and structures. A structure callee. At an abstract level, an argument is copied when the is a heterogeneous data aggregate, composed of zero or more fields. function is called and copied back to its original location when the 1 inout Each field is typed explicitly and associated with a mutability qual- function returns. At a more operational level, an argument inout ifier (let or var) that denotes whether it is constant or mutable. is simply passed by reference. Of course, extends to multiple arguments, with one important restriction: overlapping mutations 1 struct Pair { are prohibited to prevent any writeback from being discarded. 2 var fs: Int ; var sn: Int 1 struct Pair { ... } in 3 } in 2 struct U {} in 4 var p: Pair = Pair(4, 2) in p 3 let swap: ( inout Int , inout Int) -> U Fields of a structurecan be of any type, but type definitions cannot 4 = (a: inout Int , b: inout Int) -> U { be mutually recursive. Hence, all values have a finite representa- 5 let tmp = a in tion. 6 a = b in All types have value semantics. Thus, all values form disjoint 7 b = tmp in U() topological trees rooted at variables or constants. Further, all as- 8 } in signments copy the right operand and never create aliases, depart- 9 var p = Pair(4, 2) in ing from the way aggregate data types typically behave in popular 10 _ = swap(&p.fs, &p.sn) object-oriented programming languages, such as Python or Java. 11 in p // p is equal to Pair(2, 4) struct in 1 Pair { ... } A more exhaustive specification of MVSL, as well as more elab- 2 var p: Pair = Pair(4, 2) in orate program examples, are available in the GitHub repository. 3 var q: Pair = p in 4 q.sn = 8 in 3 NATIVE IMPLEMENTATION 5 p // p is equal to Pair(4, 2) This section describes the strategy we implemented to compile 6 // q is equal to Pair(4, 8) MVSL to native code. Immutability applies transitively. All fields of a data aggregate 3.1 Memory representation assigned to a constant are also treated as immutable by the type Int Float system, regardless of their declaration. and are built-in numeric types that typically have a 1- to-1 correspondence with machine types. Since struct definitions 1 struct Pair { ... } in cannot be mutually recursive, all values of a structure have a finite 2 let p: Pair = Pair(4, 2) in memory representation (more on that later). Therefore, they can 3 p.sn = 8 in p // <- type error be represented as passive data structure (PDS), where each field is laid out in a contiguous fashion. Likewise, all elements of an array are constant if the array itself is In the absence of first-class references, it is fairly easy to iden- assigned to a constant.
Recommended publications
  • Intel Threading Building Blocks

    Intel Threading Building Blocks

    Praise for Intel Threading Building Blocks “The Age of Serial Computing is over. With the advent of multi-core processors, parallel- computing technology that was once relegated to universities and research labs is now emerging as mainstream. Intel Threading Building Blocks updates and greatly expands the ‘work-stealing’ technology pioneered by the MIT Cilk system of 15 years ago, providing a modern industrial-strength C++ library for concurrent programming. “Not only does this book offer an excellent introduction to the library, it furnishes novices and experts alike with a clear and accessible discussion of the complexities of concurrency.” — Charles E. Leiserson, MIT Computer Science and Artificial Intelligence Laboratory “We used to say make it right, then make it fast. We can’t do that anymore. TBB lets us design for correctness and speed up front for Maya. This book shows you how to extract the most benefit from using TBB in your code.” — Martin Watt, Senior Software Engineer, Autodesk “TBB promises to change how parallel programming is done in C++. This book will be extremely useful to any C++ programmer. With this book, James achieves two important goals: • Presents an excellent introduction to parallel programming, illustrating the most com- mon parallel programming patterns and the forces governing their use. • Documents the Threading Building Blocks C++ library—a library that provides generic algorithms for these patterns. “TBB incorporates many of the best ideas that researchers in object-oriented parallel computing developed in the last two decades.” — Marc Snir, Head of the Computer Science Department, University of Illinois at Urbana-Champaign “This book was my first introduction to Intel Threading Building Blocks.
  • Ad-Hoc Data Transfer for Android Devices

    Ad-Hoc Data Transfer for Android Devices

    Master Degree Project Ad-hoc Data Transfer for Android Devices Author: Emre Baykal Date: 2013-03-17 Subject: Ad-hoc Data Transfer for Android Devices Level: Master Course code: 5DV00E Abstract With the introduction of smart phones and mobile devices, the rate of technology usage has became widespread. It is very likely to see anyone using mobile device on the street, in the bus, at work, at school or even at home no matter if there is a fully functional computer nearby. Particularly, the usage of smart phones is not just limited to basic communication; they are being used as a technological gadget in our daily lives for years. We can easily reach such applications on different fields e.g. image processing, audio tuning, video editing, voice recognition. With the help of these smart applications we are able to interact with our environment much faster, and consequently make life easier; relatively for sure. Apart from mobile phone industry, sharing and staying connected to our envi- ronment has become very popular. A person who has a mobile phones with latest technology desires to communicate with friends, share feelings instantly, and of course meet new people who understand him well. In this context, technology came to the point where needs of modern human overlaps todays technology. This study aims to provide a basic application to users who has got those needs in terms of sharing and communicating, for maintaining easy and costless solution. This study currently offers prototype application to this problem using WiFi Direct technology, and intends to be pioneer of its field in consequence of existing small numbers of related applications in the market.
  • Static Analysis of Unbounded Structures in Object-Oriented Programs Issue Date: 2012-12-19 Static Analysis of Unbounded Structures in Object-Oriented Programs

    Static Analysis of Unbounded Structures in Object-Oriented Programs Issue Date: 2012-12-19 Static Analysis of Unbounded Structures in Object-Oriented Programs

    Cover Page The handle http://hdl.handle.net/1887/20325 holds various files of this Leiden University dissertation. Author: Grabe, Immo Title: Static analysis of unbounded structures in object-oriented programs Issue Date: 2012-12-19 Static Analysis of Unbounded Structures in Object-Oriented Programs Proefschrift ter verkrijging van de graad van Doctor aan de Universiteit Leiden op gezag van Rector Magnificus prof. mr. P.F. van der Heijden, volgens besluit van het College voor Promoties te verdedigen op woensdag 19 december 2012 klokke 10:00 uur door Immo Grabe geboren te Kiel, Duitsland, in 1979 Promotiecommissie Promotoren: Prof. Dr. F.S. de Boer Universiteit Leiden Prof. Dr. M. Steffen Universitetet i Oslo Overige Leden: Prof. Dr. E. Broch Johnsen Universitetet i Oslo Prof. Dr. F. Arbab Universiteit Leiden Prof. Dr. J.N. Kok Universiteit Leiden Dr. M. Bonsangue Universiteit Leiden The work in this thesis has been carried out at the Christian-Albrechts- -Universit¨at zu Kiel, the Centrum Wiskunde & Informatica (CWI), and the Universiteit Leiden. The research was partially funded by the EU-project IST- 33826 Credo: Modeling and analysis of evolutionary structures for distributed services, the EU-project FP7-231620 HATS: Highly Adaptable and Trustwor- thy Software using Formal Methods, and the German-Norwegian DAAD-NWO exchange project Avabi (Automated validation for behavioral interfaces of asynchronous active objects). Copyright c 2012 by Immo Grabe Cover design by Immo Grabe. Printed by: Proefschriftmaken.nl || Uitgeverij BOXPress Published by: Uitgeverij BOXPress, Oisterwijk ISBN: 978-90-8891-154-75 Contents 1 Introduction 1 I Object Creation 5 2 Abstract Object Creation 7 2.1 Introduction............................
  • Braceforce: a Middleware to Enable Sensing Integration in Mobile Applications for Novice Programmers

    Braceforce: a Middleware to Enable Sensing Integration in Mobile Applications for Novice Programmers

    BraceForce: A Middleware to Enable Sensing Integration in Mobile Applications for Novice Programmers Xi Zheng, Dewayne E. Perry, Christine Julien The Center for Advanced Research in Software Engineering Mobile and Pervasive Computing Lab The University of Texas at Austin [email protected],[email protected],[email protected] ABSTRACT demonstrating the feasibility of applications, the develop- Even as the use of sensor networks to support mobile ap- ment of support services such as routing protocols or energy- plications grows, our ability to seamlessly and efficiently in- saving algorithms, or on advancement of hardware platforms corporate sensor network capabilities into our mobile ap- and operating systems. Little focus has been applied to ef- plications remains astoundingly difficult. Today, accessing fective development support for applications that integrate remote sensing data and integrating this data into the adap- the capabilities of networked sensing platforms in easy to use tive behavior of a dynamic user-facing mobile application re- and extensible ways. In addition to the variety of data for- quires interacting with multiple platforms, languages, data mats, communication technologies, and programming plat- formats, and communication paradigms. We present Brace- forms a developer must tackle, mobile applications also re- Force, an open and extensible middleware that allows de- quire handling network dynamics and energy constraints. velopers to access the myriad remote sensing capabilities This paper introduces BraceForce, a middleware for mo- inherent to today's mobile computing spaces (where mo- bile application development that simplifies the development, bile devices and sensors are closely integrated) using very deployment, and debugging of mobile applications.
  • A Middleware Enabling Novice Programmers to Integrate Sensing in CPS Applications

    A Middleware Enabling Novice Programmers to Integrate Sensing in CPS Applications

    BraceForce: A Middleware Enabling Novice Programmers to Integrate Sensing in CPS Applications Xi Zheng, Dewayne E. Perry, Christine Julien ([email protected], [email protected], [email protected]) The Center for Advanced Research in Software Engineering Mobile and Pervasive Computing Lab, Electrical and Computer Engineering The University of Texas at Austin TR-ARiSE-2013-003 © Copyright 2013 The University of Texas at Austin BraceForce: A Middleware Enabling Novice Programmers to Integrate Sensing in CPS Applications Xi Zheng, Dewayne E. Perry, Christine Julien The Center for Advanced Research in Software Engineering Mobile and Pervasive Computing Lab The University of Texas at Austin [email protected],[email protected],[email protected] ABSTRACT forms with little potential for portability to other plat- Even as the use of sensor networks to support CPS forms or integration with other sensors. Debugging CPS applications grows, our ability to seamlessly and effi- applications that inherently integrate with a physical ciently incorporate sensor network capabilities remains environment requires not only the aforementioned in- astoundingly difficult. Today, accessing remote sensing tegration of the application with sensing but also the data and integrating this data into the adaptive behav- use of a testing harness that, at debugging time, ac- ior of a dynamic user-facing CPS application requires in- cesses sensed data about the physical environment for teracting with multiple sensor platform languages, data the purposes of validating the actions of the applica- formats, and communication channels and paradigms. tion. Integrating sensing for application and debugging We present BraceForce, an open and extensible middle- support in a way that is easy, flexible, and portable is ware that allows developers to access the myriad remote essential for supporting CPS application development.
  • Learning Object-Oriented Programming, Design and TDD with Pharo

    Learning Object-Oriented Programming, Design and TDD with Pharo

    Learning Object-Oriented Programming, Design and TDD with Pharo Stéphane Ducasse with Damien Pollet September 29, 2017 master @ 86ac50a © 2017 by Stéphane Ducasse with Damien Pollet. This work is licensed under a Creative Commons “Attribution- NonCommercial-NoDerivatives 4.0 International” license. This is a human-readable summary of (and not a substitute for) the license: https://creativecommons.org/licenses/by-nc-nd/4.0/deed.en You are free to: s Share Copy and redistribute the material in any medium or format. The licensor cannot revoke these freedoms as long as you follow the license terms. Under the following terms: b Attribution You must give appropriate credit, provide a link to the license, and indicate if changes were made. You may do so in any reasonable manner, but not in any way that suggests the licensor endorses you or your use. n NonCommercial You may not use the material for commercial purposes. d NoDerivatives If you remix, transform, or build upon the material, you may not distribute the modified material. No additional restrictions You may not apply legal terms or technological measures that legally restrict others from doing anything the license permits. Layout and typography based on the sbabook LATEX class by Damien Pollet. Contents Illustrations viii 1 About this book 1 1.1 A word of presentation ............................ 1 1.2 Structure of the book ............................. 1 1.3 What you will learn .............................. 3 1.4 Typographic conventions ........................... 4 1.5 Videos ..................................... 5 1.6 Thanks ..................................... 5 I Getting in touch with Pharo 2 Pharo syntax in a nutshell 9 2.1 Simplicity and elegance of messages ....................
  • Android Chess: a Real Time Collaborative Software Application for Multiple Mobile Clients

    Android Chess: a Real Time Collaborative Software Application for Multiple Mobile Clients

    CALIFORNIA STATE UNIVERSITY, NORTHRIDGE Android Chess: A Real Time Collaborative Software Application for Multiple Mobile Clients A thesis submitted in partial fulfillment of the requirements for the degree of Master of Science in Software Engineering By Eduard S. Sarkisov December 2011 The thesis of Eduard S. Sarkisov is approved: Shan Barkataki, Ph. D. Date Jack Alanen, Ph.D. Date Richard Covington, Ph. D., Chair Date California State University, Northridge ii Table of Contents Signature Page .................................................................................................................... ii Abstract .............................................................................................................................. vi Chapter 1: OBJECTIVE AND GOALS ............................................................................. 1 Chapter 2: PROBLEM DESCRIPTION ............................................................................. 3 Chapter 3: BACKGROUND............................................................................................... 5 3.1 Why Chess................................................................................................................. 5 3.2 Why Aandroid & Java. .............................................................................................. 5 3.3 Initial Research .......................................................................................................... 6 3.4 Starting Point ............................................................................................................
  • Data Structures

    Data Structures

    KARNATAKA STATE OPEN UNIVERSITY DATA STRUCTURES BCA I SEMESTER SUBJECT CODE: BCA 04 SUBJECT TITLE: DATA STRUCTURES 1 STRUCTURE OF THE COURSE CONTENT BLOCK 1 PROBLEM SOLVING Unit 1: Top-down Design – Implementation Unit 2: Verification – Efficiency Unit 3: Analysis Unit 4: Sample Algorithm BLOCK 2 LISTS, STACKS AND QUEUES Unit 1: Abstract Data Type (ADT) Unit 2: List ADT Unit 3: Stack ADT Unit 4: Queue ADT BLOCK 3 TREES Unit 1: Binary Trees Unit 2: AVL Trees Unit 3: Tree Traversals and Hashing Unit 4: Simple implementations of Tree BLOCK 4 SORTING Unit 1: Insertion Sort Unit 2: Shell sort and Heap sort Unit 3: Merge sort and Quick sort Unit 4: External Sort BLOCK 5 GRAPHS Unit 1: Topological Sort Unit 2: Path Algorithms Unit 3: Prim‘s Algorithm Unit 4: Undirected Graphs – Bi-connectivity Books: 1. R. G. Dromey, ―How to Solve it by Computer‖ (Chaps 1-2), Prentice-Hall of India, 2002. 2. M. A. Weiss, ―Data Structures and Algorithm Analysis in C‖, 2nd ed, Pearson Education Asia, 2002. 3. Y. Langsam, M. J. Augenstein and A. M. Tenenbaum, ―Data Structures using C‖, Pearson Education Asia, 2004 4. Richard F. Gilberg, Behrouz A. Forouzan, ―Data Structures – A Pseudocode Approach with C‖, Thomson Brooks / COLE, 1998. 5. Aho, J. E. Hopcroft and J. D. Ullman, ―Data Structures and Algorithms‖, Pearson education Asia, 1983. 2 BLOCK I BLOCK I PROBLEM SOLVING Computer problem-solving can be summed up in one word – it is demanding! It is an intricate process requiring much thought, careful planning, logical precision, persistence, and attention to detail.
  • On-Premises Developer Guide

    On-Premises Developer Guide

    Informatica® Address Verification (On- Premises) 6.1.0 On-Premises Developer Guide Informatica Address Verification (On-Premises) On-Premises Developer Guide 6.1.0 September 2020 © Copyright Informatica LLC 1993, 2020 This software and documentation are provided only under a separate license agreement containing restrictions on use and disclosure. No part of this document may be reproduced or transmitted in any form, by any means (electronic, photocopying, recording or otherwise) without prior consent of Informatica LLC. U.S. GOVERNMENT RIGHTS Programs, software, databases, and related documentation and technical data delivered to U.S. Government customers are "commercial computer software" or "commercial technical data" pursuant to the applicable Federal Acquisition Regulation and agency-specific supplemental regulations. As such, the use, duplication, disclosure, modification, and adaptation is subject to the restrictions and license terms set forth in the applicable Government contract, and, to the extent applicable by the terms of the Government contract, the additional rights set forth in FAR 52.227-19, Commercial Computer Software License. Informatica, the Informatica logo, and any other Informatica-owned trademarks that appear in the document are trademarks or registered trademarks of Informatica LLC in the United States and many jurisdictions throughout the world. A current list of Informatica trademarks is available on the web at https://www.informatica.com/ trademarks.html. Other company and product names may be trade names or trademarks of their respective owners. Portions of this software and/or documentation are subject to copyright held by third parties, including without limitation: Copyright DataDirect Technologies. All rights reserved. Copyright © Sun Microsystems. All rights reserved.
  • The Tutor-In-The-Loop Model for Formative Assessment

    The Tutor-In-The-Loop Model for Formative Assessment

    The Tutor-in-the-Loop Model for Formative Assessment Von der Fakultät für Mathematik, Informatik und Naturwissenschaften der RWTH Aachen University zur Erlangung des akademischen Grades eines Doktors der Naturwissenschaften genehmigte Dissertation vorgelegt von Diplom-Informatiker Daniel Chu Herding aus Münster (Westf.) Berichter: Prof. Dr. Ulrik Schroeder Prof. Dr. Christian Spannagel Tag der mündlichen Prüfung: 21. März 2013 Diese Dissertation ist auf den Internetseiten der Hochschulbibliothek online verfügbar. iii Acknowledgement Parts of the research described in this thesis has been carried out within the SAiL-M project (Semi-automatic assessment of inividual learning processes in mathematics)1. The project was funded by the German Federal Ministry of Education and Research (Bun- desministerium für Bildung und Forschung, BMBF) in the support program “Hochschulfor- schung als Beitrag zur Professionalisierung der Hochschullehre – Zukunftswerkstatt Hochschul- lehre” (“Higher Education Research as a Contribution to the Professionalization of Higher Education – Future Workshop Higher Education”). Project management organisation was provided by DLR2. SAiL-M was a joint research project of these partners: • Ludwigsburg University of Education • Karlsruhe University of Education • Weingarten University of Education • RWTH Aachen University 1 SAiL-M project: sail-m.de/en/. 2 DLR – Professionalization of Higher Education: http://www.dlr.de/pt_zwh. v Abstract Closed exercise types like multiple-choice tests are widespread in higher education, es- pecially for purposes of summative assessment. However, they cannot be considered learner-centric because they do not allow individual solutions. In contrast, assessing open-ended tasks is considerably more complex. Intelligent tutoring systems (ITS) aim at giving individual feedback fully autonomously, but due to their high development cost, they are available only for few domains.
  • A Framework for Supporting Automatic Simulation Generation from Design

    A Framework for Supporting Automatic Simulation Generation from Design

    UNIVERSITY OF NEWCASTLE UPON TYNE DEPARTMENT OF COMPUTING SCIENCE UN IVERS ITY OF NEWCASTLE A Framework for Supporting Automatic Simulation Generation from Design by Leonardus Budiman Arief Ph.D. Thesis July 2001 Abstract Building a new software system requires careful planning and investigation in order to avoid any problems in the later stages of the development. By using a universally accepted design notation such as the Unified Modeling Language (UML), ambiguities in the system specification can be eliminated or minimised. The aspect that frequently needs to be investigated before the implementation stage can be commenced concerns the proposed system’s performance. It is necessary to predict whether a particular design will meet the performance requirement - i.e. is it worth implementing the system - or not. One way to obtain this performance prediction is by using simulation programs to mimic the execution of the system. Unfortunately, it is often difficult to transform the design into a simulation program without some sound knowledge of simulation techniques. In addition, new simulation programs need to be built each time for different systems - which can be tedious, time consuming and error prone. The currently available UML tools do not provide any facilities for generating simulation programs automatically from UML specifications. This shortcoming is the main motivation for this research. The work involved here includes an investigation of which UML design notations can be used; the available simulation languages or environments for running the simulation; and more importantly, a framework that can capture the simulation information from UML design notation. Using this framework, we have built tools that enable an automatic transformation of a UML design notation into a simulation program.