Rigorous Software Development CSCI-GA
|
|
|
- Juliet Garrett
- 10 years ago
- Views:
Transcription
1 Rigorous Software Development CSCI-GA Instructor: Thomas Wies Spring 2013 Lecture 5 Disclaimer. These notes are derived from notes originally developed by Joseph Kiniry, Gary Leavens, Erik Poll, David Cok, Cesare Tinelli, and Jochen Hoenicke. They are copyrighted material and may not be used in other course settings outside of New York University in their current form or modified form without the express written permission of one of the copyright holders.
2 Exploiting Design Information Alloy provides a means for expressing properties of designs Early design refinement saves time Ultimately, we want this effort to impact the quality of implementations How can we transfer design information to the code? State information (multiplicities, invariants, ) Operations information (pre, post, frame conditions, )
3 Design by Contract A method that emphasizes the precise description of interface semantics not just syntax, e.g., signatures (names, types, visibility modifiers) but run-time behavior, e.g., effects of a method call Supported by tools that allow semantic properties of the design to be propagated to the code support various forms of validation of those properties, e.g., run-time and static checking
4 History Term Design by Contract was first coined by Bertrand Meyer in the context of the Eiffel language Basic ideas and techniques go back to pioneering work of Alan Turing (1949) Robert Floyd (1967) Tony Hoare (1969) Edsger Dijkstra (1975)
5 Basic Idea Software is viewed as a system of communicating components (objects) all interaction is governed by contracts contracts are precise specifications of mutual obligation between components
6 Contracts Two parties are involved in a contract The supplier performs a task The client requests that the task be performed Each party has obligations receives some benefits Contracts specify those obligations and benefits Contracts are bi-directional both parties are obligated by them
7 Contract Example: Air Travel Client (Traveler) Obligation check in 30 minutes before boarding <3 small carry-ons pay for ticket Benefit reach destination Supplier (Airline) Obligation take traveler to destination Benefit don t need to wait for late travelers don t need to store arbitrary amounts of luggage money
8 Contract Example: Air Travel Client (Traveler) Obligation check in 30 minutes before boarding <3 small carry-ons pay for ticket Benefit reach destination Supplier (Airline) Obligation take traveler to destination Benefit don t need to wait for late travelers don t need to store arbitrary amounts of luggage money
9 Contracts Specify what should be done not how it should be done they are implementation independent This same idea can be applied to software using the building blocks we have already learned in Alloy pre conditions post conditions frame conditions invariants
10 Taking a Flight (Java Syntax) class Flight { /*@ requires time < this.takeoff 30 l.number < 3 p in ensures \result = Destination takeflight(person p, Luggage l) { } }
11 Specification or Implementation Language Why not both? Refinement methodology rather than develop signatures alone develop contract specification analyze client-supplier consistency fill in implementation details check that code satisfies contract Natural progression from design to code
12 Executable Specifications Specification language is a subset of the implementation language contracts are written in the programming language itself and translated into executable code by the compiler enables easy run-time checking of contracts
13 Java Example: Stack Data Structure class Mystack { private Object[] elems; private int top, size; public MyStack (int s) {... } public void push (Object obj) {... } public Object pop() {... } public boolean isempty() {... } public boolean isfull() {... } }
14 Java Example: Stack Data Structure invariant top >= -1 && top < size && size = class Mystack { private Object[] elems; private int top, size;... }
15 Java Example: Stack Data Structure class Mystack { private Object[] elems; private int top, size;... /*@ ensures top == \old(top) + 1 elem[top] == public void push (Object obj) {... }... public boolean isfull() {... } }
16 Java Example: Stack Data Structure class Mystack { private Object[] elems; private int top, size;... /*@ ensures top == \old(top) - 1 \result == public Object pop() {... }... public boolean isempty() {... } }
17 Java Example: Stack Data Structure class Mystack { private Object[] elems; private int top, size;... /*@ ensures \result <==> top = public boolean isempty() {... } }
18 Source Specifications Pre/post conditions (Side-effect free) Boolean expressions in the host language What about all of the expressive power we have in, e.g., Alloy? Balance expressive power against checkability Balance abstractness against language mapping No one right choice Different tools take different approaches
19 Important Issues Contract enforcement code is executed It should be side-effect free If not, then contracts change behavior! Frame conditions Explicitly mention what can change Default: anything can change Failed contract conditions Most approaches will abort the execution How can we continue?
20 Contract Inheritance Inheritance in most OO languages Sub-type can be used in place of super-type Sub-type provides at least the capability of super-type Sub-types weaken the pre-condition Require no more than the super-type Implicit or of inherited pre-conditions Sub-types strengthen the post-condition Guarantee at least as much as the super-type Implicit and of inherited post-conditions Invariants are treated the same as post-conditions
21 Languages with DbC Support Eiffel SPARK (Ada) Spec# (C#) Java Java Modeling Language (JML) icontract, JContract, Jass, Jahob,.NET languages: Code Contracts C/C++: VCC, Frama-C, Research languages: Daphne, Chalice, Hob,
22 Java Modeling Language (JML) JML is a behavioral interface specification language (BISL) for Java. Proposed by G. Leavens, A. Baker, C. Ruby: JML: A Notation for Detailed Design, 1999 Combines ideas from two approaches: Eiffel with its built-in language for Design by Contract Larch/C++ a BISL for C++
23 The Roots of JML Ideas from Eiffel: Executable pre and post-condition for runtime assertion checking Uses Java syntax (with a few extensions). Operator \old to refer to the pre-state in the postcondition. Ideas from Larch: Describe the state transformation behavior of a method Model Abstract Data Types (ADT)
24 Java Modeling Language (JML) Homepage: Release can be downloaded from Includes many useful tools for testing and analysis of contracts JML compiler JML runtime assertion checker, Many additional third party tools available
25 JML: Tool Support Run-time checking and dynamic analysis: JML tools AJML Daikon Automated test case generation: JML tools Korat, Sireum/Kiasan KeY/TestGen Static checking and static analysis: ESC/Java 2 JForge Formal verification: JACK KeY Documentation generation: jmldoc (JML tools)
26 JML Example: Factorial Is this method correct? public static int factorial(int n) { int result = n; while (--n > 0) result *= n; return result; } We need a specification!
27 JML Syntax: Method Specifications In JML a method contract precedes the method in special comments requires formula: The specification only applies if formula holds when method called. Otherwise behavior of method is undefined. ensures formula: If the method exits normally, formula has to hold.
28 JML Syntax: Formulas A JML formula is a Java Boolean expression. The following list shows some operators of JML that do not exists in Java: \old(expression): the value of expression before the method was called (used in ensures clauses) \result: the return value (used in ensures clauses). F ==> G: states that F implies G. This is an abbreviation for!f G. \forall Type t; condition; formula: states that formula holds for all t of type Type that satisfy condition.
29 JML Example: Factorial requires n >= ensures \result == n! public static int factorial(int n) { int result = n; while (--n > 0) } result *= n; return result; Is this method correct? No: case n=0 gives wrong result. But factorial! is not an inbuilt operator.
30 JML Example: Factorial Solutions (1): Weakening the specification requires n >= ensures \result >= public static int factorial(int n) { int result = n; while (--n > 0) result *= n; return result; } + Simple Specification + Catches the error Cannot find all potential errors Gives no hint, what the function computes
31 requires n >= ensures \result == public static int factorial(int n) { int result = 1; while (n > 0) result *= n--; return result; } JML Example: Factorial Solutions (2): Using pure Java methods /*@ requires n >= ensures (n == 0 ==> \result == 1) (n > 0 ==> \result == n*fact(n-1)); */ public int fact(int n) { return n <= 0? 1 : n*fact(n-1); } Pure methods must not have side-effects and must always terminate. They can be used in specifications:
32 Partial vs. Full Specifications Giving a full specification is not always practical. Code is repeated in the specification. Errors in the code may also be in the specification.
33 Semantics of Java Programs The Java Language Specification (JLS) 3rd edition gives semantics to Java programs The document has 684 pages. 118 pages to define semantics of expression. 42 pages to define semantics of method invocation. Semantics is only defined by prosa text.
34 Example: What does this program print? class A { public static int x = B.x + 1; } class B { public static int x = A.x + 1; } class C { public static void main(string[] p) { System.err.println("A: " + A.x + ", B: " + B.x); } }
35 Example: What does this program print? JLS, chapter When Initialization Occurs : A class T will be initialized immediately before the first occurrence of any one of the following: T is a class and an instance of T is created. T is a class and a static method declared by T is invoked. A static field declared by T is assigned. A static field declared by T is used and the field is not a constant variable. T is a top-level class, and an assert statement lexically nested within T is executed.
36 Example: What does this program print? JLS, chapter Detailed Initialization Procedure : The procedure for initializing a class or interface is then as follows: 1. Synchronize on the Class object that represents the class or interface to be initialized. This involves waiting until the current thread can obtain the lock for that object If initialization is in progress for the class or interface by the current thread, then this must be a recursive request for initialization. Release the lock on the Class object and complete normally Next, execute either the class variable initializers and static initializers of the class, or the field initializers of the interface, in textual order, as though they were a single block, except that final class variables and fields of interfaces whose values are compile-time constants are initialized first
37 Example: What does this program print? class A { public static int x = B.x + 1; } class B { public static int x = A.x + 1; } class C { public static void main(string[] p) { System.err.println("A: " + A.x + ", B: " + B.x); } }
38 Example: What does this program print? If we run class C : 1) main-method of class C first accesses A.x. 2) Class A is initialized. The lock for A is taken. 3) Static initializer of A runs and accesses B.x. 4) Class B is initialized. The lock for B is taken. 5) Static initializer of B runs and accesses A.x. 6) Class A is still locked by current thread (recursive initialization). Therefore, initialization returns immediately. 7) The value of A.x is still 0 (section and ), so B.x is set to 1. 8) Initialization of B finishes. 9) The value of A.x is now set to 2. 10) The program prints A: 2, B: 1.
39 Further Reading Material Gary T. Leavens, Yoonsik Cheon. Design by Contract with JML G. Leavens et al.. JML Reference Manual (DRAFT), July 2011 J. Gosling et al.: The Java Language Specification (third edition) T. Lindholm, F. Yellin: The Java Virtual Machine Specification (second edition)
Rigorous Software Engineering Hoare Logic and Design by Contracts
Rigorous Software Engineering Hoare Logic and Design by Contracts Simão Melo de Sousa RELEASE (UBI), LIACC (Porto) Computer Science Department University of Beira Interior, Portugal 2010-2011 S. Melo de
Design by Contract beyond class modelling
Design by Contract beyond class modelling Introduction Design by Contract (DbC) or Programming by Contract is an approach to designing software. It says that designers should define precise and verifiable
Rigorous Software Development CSCI-GA 3033-009
Rigorous Software Development CSCI-GA 3033-009 Instructor: Thomas Wies Spring 2013 Lecture 11 Semantics of Programming Languages Denotational Semantics Meaning of a program is defined as the mathematical
Java Memory Model: Content
Java Memory Model: Content Memory Models Double Checked Locking Problem Java Memory Model: Happens Before Relation Volatile: in depth 16 March 2012 1 Java Memory Model JMM specifies guarantees given by
Stack Allocation. Run-Time Data Structures. Static Structures
Run-Time Data Structures Stack Allocation Static Structures For static structures, a fixed address is used throughout execution. This is the oldest and simplest memory organization. In current compilers,
StaRVOOrS: A Tool for Combined Static and Runtime Verification of Java
StaRVOOrS: A Tool for Combined Static and Runtime Verification of Java Jesús Mauricio Chimento 1, Wolfgang Ahrendt 1, Gordon J. Pace 2, and Gerardo Schneider 3 1 Chalmers University of Technology, Sweden.
Specification and Analysis of Contracts Lecture 1 Introduction
Specification and Analysis of Contracts Lecture 1 Introduction Gerardo Schneider [email protected] http://folk.uio.no/gerardo/ Department of Informatics, University of Oslo SEFM School, Oct. 27 - Nov.
An overview of JML tools and applications
Software Tools for Technology Transfer manuscript No. (will be inserted by the editor) An overview of JML tools and applications Lilian Burdy 1, Yoonsik Cheon 2, David R. Cok 3, Michael D. Ernst 4, Joseph
Using JML to protect Java code against SQL injection. Johan Janssen 0213888 [email protected] June 26, 2007
Using JML to protect Java code against SQL injection Johan Janssen 0213888 [email protected] June 26, 2007 1 Abstract There are a lot of potential solutions against SQL injection. The problem is that
An Overview of JML Tools and Applications
This article appears in Software Tools for Technology Transfer. The original version is available at www.springerlink.com An overview of JML tools and applications Lilian Burdy 1, Yoonsik Cheon 2, David
How To Write A Test Engine For A Microsoft Microsoft Web Browser (Php) For A Web Browser For A Non-Procedural Reason)
Praspel: A Specification Language for Contract-Driven Testing in PHP Ivan Enderlin Frédéric Dadeau Alain Giorgetti Abdallah Ben Othman October 27th, 2011 Meetings: LTP MTVV Ivan Enderlin, Frédéric Dadeau,
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
On the Relation between Design Contracts and Errors: A Software Development Strategy
On the Relation between Design Contracts and Errors: A Software Development Strategy Eivind J. Nordby, Martin Blom, Anna Brunstrom Computer Science, Karlstad University SE-651 88 Karlstad, Sweden {Eivind.Nordby,
Comp 411 Principles of Programming Languages Lecture 34 Semantics of OO Languages. Corky Cartwright Swarat Chaudhuri November 30, 20111
Comp 411 Principles of Programming Languages Lecture 34 Semantics of OO Languages Corky Cartwright Swarat Chaudhuri November 30, 20111 Overview I In OO languages, data values (except for designated non-oo
An overview of JML tools and applications
Electronic Notes in Theoretical Computer Science 66 No. 2 (2003) URL: http://www.elsevier.nl/locate/entcs/volume66.html An overview of JML tools and applications www.jmlspecs.org Lilian Burdy a, Yoonsik
Examples of Design by Contract in Java
Object World Berlin 99 Design & Components Berlin, May 17th-20th 1999 Examples of Design by Contract in Java using Contract, the Design by Contract tm Tool for Java tm Reto Kramer, [email protected] Java
Getting Started with the Internet Communications Engine
Getting Started with the Internet Communications Engine David Vriezen April 7, 2014 Contents 1 Introduction 2 2 About Ice 2 2.1 Proxies................................. 2 3 Setting Up ICE 2 4 Slices 2
COMP 356 Programming Language Structures Notes for Chapter 10 of Concepts of Programming Languages Implementing Subprograms.
COMP 356 Programming Language Structures Notes for Chapter 10 of Concepts of Programming Languages Implementing Subprograms 1 Activation Records activation declaration location Recall that an activation
Software Engineering Techniques
Software Engineering Techniques Low level design issues for programming-in-the-large. Software Quality Design by contract Pre- and post conditions Class invariants Ten do Ten do nots Another type of summary
Tool-Assisted Unit-Test Generation and Selection Based on Operational Abstractions
Tool-Assisted Unit-Test Generation and Selection Based on Operational Abstractions Tao Xie 1 and David Notkin 2 ([email protected],[email protected]) 1 Department of Computer Science, North Carolina
Outline of this lecture G52CON: Concepts of Concurrency
Outline of this lecture G52CON: Concepts of Concurrency Lecture 10 Synchronisation in Java Natasha Alechina School of Computer Science [email protected] mutual exclusion in Java condition synchronisation
Translating to Java. Translation. Input. Many Level Translations. read, get, input, ask, request. Requirements Design Algorithm Java Machine Language
Translation Translating to Java Introduction to Computer Programming The job of a programmer is to translate a problem description into a computer language. You need to be able to convert a problem description
Programming by Contract. Programming by Contract: Motivation. Programming by Contract: Preconditions and Postconditions
COMP209 Object Oriented Programming Designing Classes 2 Mark Hall Programming by Contract (adapted from slides by Mark Utting) Preconditions Postconditions Class invariants Programming by Contract An agreement
Programming by Contract vs. Defensive Programming: A Comparison of Run-time Performance and Complexity
Department of Computer Science Roger Andersson Patrick Jungner Programming by Contract vs. Defensive Programming: A Comparison of Run-time Performance and Complexity Master s Thesis 2003:03 Programming
Rigorous Software Development CSCI-GA 3033-009
Rigorous Software Development CSCI-GA 3033-009 Instructor: Thomas Wies Spring 2013 Lecture 1 Important Facts Office Hours: Thu 3-4pm, or by appointment Office: CIWW 407 Course web site: http://cs.nyu.edu/wies/teaching/rsd-13
Unit-testing with JML
Métodos Formais em Engenharia de Software Unit-testing with JML José Carlos Bacelar Almeida Departamento de Informática Universidade do Minho MI/MEI 2008/2009 1 Talk Outline Unit Testing - software testing
Course: Programming II - Abstract Data Types. The ADT Stack. A stack. The ADT Stack and Recursion Slide Number 1
Definition Course: Programming II - Abstract Data Types The ADT Stack The ADT Stack is a linear sequence of an arbitrary number of items, together with access procedures. The access procedures permit insertions
Run-Time Assertion Checking and Monitoring Java Programs
Run-Time Assertion Checking and Monitoring Java Programs Envisage Bertinoro Summer School June 2014 June 19, 2014 Your Lecturers Today Frank en Stijn What This Talk Is All About Formal Methods in Practice:
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
Hoare-Style Monitors for Java
Hoare-Style Monitors for Java Theodore S Norvell Electrical and Computer Engineering Memorial University February 17, 2006 1 Hoare-Style Monitors Coordinating the interactions of two or more threads can
Checking Access to Protected Members in the Java Virtual Machine
Checking Access to Protected Members in the Java Virtual Machine Alessandro Coglio Kestrel Institute 3260 Hillview Avenue, Palo Alto, CA 94304, USA Ph. +1-650-493-6871 Fax +1-650-424-1807 http://www.kestrel.edu/
Constructing Contracts: Making Discrete Mathematics Relevant to Beginning Programmers
Constructing Contracts: Making Discrete Mathematics Relevant to Beginning Programmers TIMOTHY S. GEGG-HARRISON Winona State University Although computer scientists understand the importance of discrete
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
Outline. Computer Science 331. Stack ADT. Definition of a Stack ADT. Stacks. Parenthesis Matching. Mike Jacobson
Outline Computer Science 1 Stacks Mike Jacobson Department of Computer Science University of Calgary Lecture #12 1 2 Applications Array-Based Linked List-Based 4 Additional Information Mike Jacobson (University
Appendix... B. The Object Constraint
UML 2.0 in a Nutshell Appendix B. The Object Constraint Pub Date: June 2005 Language The Object Constraint Language 2.0 (OCL) is an addition to the UML 2.0 specification that provides you with a way to
Java Programming Language
Lecture 1 Part II Java Programming Language Additional Features and Constructs Topics in Quantitative Finance: Numerical Solutions of Partial Differential Equations Instructor: Iraj Kani Subclasses and
Formal Specification and Verification of Avionics Software
Formal Specification and Verification of Avionics Software June 7th, 2006 Outline 1 Introduction Software in the avionics domain Certification requirements Object-oriented technologies 2 Specification
How To Write A Contract Guided System Development (Contract Guided Development) In Java (Java) (For A Free Download)
Monitoring Java Code Using ConGu Vasco T. Vasconcelos Faculty of Sciences University of Lisbon Portugal [email protected] Isabel Nunes Faculty of Sciences University of Lisbon Portugal [email protected] Luís
CS412/CS413. Introduction to Compilers Tim Teitelbaum. Lecture 20: Stack Frames 7 March 08
CS412/CS413 Introduction to Compilers Tim Teitelbaum Lecture 20: Stack Frames 7 March 08 CS 412/413 Spring 2008 Introduction to Compilers 1 Where We Are Source code if (b == 0) a = b; Low-level IR code
Semester Review. CSC 301, Fall 2015
Semester Review CSC 301, Fall 2015 Programming Language Classes There are many different programming language classes, but four classes or paradigms stand out:! Imperative Languages! assignment and iteration!
GContracts Programming by Contract with Groovy. Andre Steingress
FÕ Ò ŃÔ PŎ ÑŇÒ P ÌM Œ PÑǾ PÒ PÕ Ñ Œ PŘÕ Ñ GContracts Programming by Contract with Groovy Andre Steingress Andre FÕ Ò ŃÔ PŎ ÑŇÒ P ÌM Œ PSteingress ÑǾ PÒ PÕ Ñ Œ PŘÕ Ñ Independent Software Dev @sternegross,
Design by Contract for Web Services: Architecture, Guidelines, and Mappings
53 Design by Contract for Web Services: Architecture, Guidelines, and Mappings Bernhard Hollunder, Matthias Herrmann, Andreas Hülzenbecher Department of Computer Science Furtwangen University of Applied
AP Computer Science Java Subset
APPENDIX A AP Computer Science Java Subset The AP Java subset is intended to outline the features of Java that may appear on the AP Computer Science A Exam. The AP Java subset is NOT intended as an overall
Thomas Jefferson High School for Science and Technology Program of Studies Foundations of Computer Science. Unit of Study / Textbook Correlation
Thomas Jefferson High School for Science and Technology Program of Studies Foundations of Computer Science updated 03/08/2012 Unit 1: JKarel 8 weeks http://www.fcps.edu/is/pos/documents/hs/compsci.htm
Introducing Formal Methods. Software Engineering and Formal Methods
Introducing Formal Methods Formal Methods for Software Specification and Analysis: An Overview 1 Software Engineering and Formal Methods Every Software engineering methodology is based on a recommended
Fully Abstract Operation Contracts
Fully Abstract Operation Contracts Richard Bubel, Reiner Hähnle, and Maria Pelevina Department of Computer Science Technical University of Darmstadt bubel [email protected] [email protected]
Introducing Variance into the Java Programming Language DRAFT
Introducing Variance into the Java Programming Language A Quick Tutorial DRAFT Christian Plesner Hansen Peter von der Ahé Erik Ernst Mads Torgersen Gilad Bracha June 3, 2003 1 Introduction Notice: This
Java Interfaces. Recall: A List Interface. Another Java Interface Example. Interface Notes. Why an interface construct? Interfaces & Java Types
Interfaces & Java Types Lecture 10 CS211 Fall 2005 Java Interfaces So far, we have mostly talked about interfaces informally, in the English sense of the word An interface describes how a client interacts
Towards Contract-based Testing of Web Services
Electronic Notes in Theoretical Computer Science 82 No. 6 (2004) URL: http://www.elsevier.nl/locate/entcs/volume82.html 12 pages Towards Contract-based Testing of Web Services Reiko Heckel 1 Faculty of
Object Oriented Software Design
Object Oriented Software Design Introduction to Java - II Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa September 14, 2011 G. Lipari (Scuola Superiore Sant Anna) Introduction
Monitoring Java Code Using ConGu
Monitoring Java Code Using ConGu V.T. Vasconcelos, I. Nunes, A. Lopes, N. Ramiro, P. Crispim Departamento de Informática, Faculdade de Ciências, Universidade de Lisboa 1749 016 Lisboa, Portugal Abstract
Formally speaking: How to apply OCL
Page 1 of 6 Copyright IBM Corporation 2004 http://www-106.ibm.com/developerworks/rational/library/5390.html Search for: within All of dw Use + - ( ) " " Search help IBM home Products & services Support
Agile Specification-Driven Development
Agile Specification-Driven Development Jonathan S. Ostroff 1, David Makalsky 1, and Richard F. Paige 2 1 Department of Computer Science, York University, Canada. {jonathan, dm}@cs.yorku.ca 2 Department
Object Oriented Software Design II
Object Oriented Software Design II Introduction to C++ Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa February 20, 2012 G. Lipari (Scuola Superiore Sant Anna) C++ Intro February
Code Contracts User Manual
Code Contracts User Manual Microsoft Corporation August 14, 2013 What s New? We fixed the debug information generated by the rewriter for async and iterator methods so that locals now appear again when
A Framework for the Semantics of Behavioral Contracts
A Framework for the Semantics of Behavioral Contracts Ashley McNeile Metamaxim Ltd, 48 Brunswick Gardens, London W8 4AN, UK [email protected] Abstract. Contracts have proved a powerful concept
Quotes from Object-Oriented Software Construction
Quotes from Object-Oriented Software Construction Bertrand Meyer Prentice-Hall, 1988 Preface, p. xiv We study the object-oriented approach as a set of principles, methods and tools which can be instrumental
Exception Handling. Overloaded methods Interfaces Inheritance hierarchies Constructors. OOP: Exception Handling 1
Exception Handling Error handling in general Java's exception handling mechanism The catch-or-specify priciple Checked and unchecked exceptions Exceptions impact/usage Overloaded methods Interfaces Inheritance
Boolean Expressions, Conditions, Loops, and Enumerations. Precedence Rules (from highest to lowest priority)
Boolean Expressions, Conditions, Loops, and Enumerations Relational Operators == // true if two values are equivalent!= // true if two values are not equivalent < // true if left value is less than the
Resurrecting Ada s Rendez-Vous in Java
Resurrecting Ada s Rendez-Vous in Java Luis Mateu, José M. Piquer and Juan León DCC - Universidad de Chile Casilla 2777, Santiago, Chile [email protected] Abstract Java is a programming language designed
VDM vs. Programming Language Extensions or their Integration
VDM vs. Programming Language Extensions or their Integration Alexander A. Koptelov and Alexander K. Petrenko Institute for System Programming of Russian Academy of Sciences (ISPRAS), B. Communisticheskaya,
Software Construction
Software Construction Debugging and Exceptions Jürg Luthiger University of Applied Sciences Northwestern Switzerland Institute for Mobile and Distributed Systems Learning Target You know the proper usage
Konzepte objektorientierter Programmierung
Konzepte objektorientierter Programmierung Prof. Dr. Peter Müller Werner Dietl Software Component Technology Exercises 3: Some More OO Languages Wintersemester 04/05 Agenda for Today 2 Homework Finish
Applications of formal verification for secure Cloud environments at CEA LIST
Applications of formal verification for secure Cloud environments at CEA LIST Nikolai Kosmatov joint work with A.Blanchard, F.Bobot, M.Lemerre,... SEC2, Lille, June 30 th, 2015 N. Kosmatov (CEA LIST) Formal
Software Specification and Testing
Software Specification and Testing Using UML and OCL Jonathan Milley Faculty of Engineering and Applied Science MUN St. John s, Newfoundland Email: [email protected] Dr. Dennis K. Peters Faculty of Engineering
Model Driven Security: Foundations, Tools, and Practice
Model Driven Security: Foundations, Tools, and Practice David Basin, Manuel Clavel, and ETH Zurich, IMDEA Software Institute Thursday 1st, 2011 Outline I 1 Models Analysis. Types. 2 The Object Constraint
Programming Language Rankings. Lecture 15: Type Inference, polymorphism & Type Classes. Top Combined. Tiobe Index. CSC 131! Fall, 2014!
Programming Language Rankings Lecture 15: Type Inference, polymorphism & Type Classes CSC 131 Fall, 2014 Kim Bruce Top Combined Tiobe Index 1. JavaScript (+1) 2. Java (-1) 3. PHP 4. C# (+2) 5. Python (-1)
History OOP languages Year Language 1967 Simula-67 1983 Smalltalk
History OOP languages Intro 1 Year Language reported dates vary for some languages... design Vs delievered 1957 Fortran High level programming language 1958 Lisp 1959 Cobol 1960 Algol Structured Programming
Lecture 9. Semantic Analysis Scoping and Symbol Table
Lecture 9. Semantic Analysis Scoping and Symbol Table Wei Le 2015.10 Outline Semantic analysis Scoping The Role of Symbol Table Implementing a Symbol Table Semantic Analysis Parser builds abstract syntax
Object-Oriented Design Lecture 4 CSU 370 Fall 2007 (Pucella) Tuesday, Sep 18, 2007
Object-Oriented Design Lecture 4 CSU 370 Fall 2007 (Pucella) Tuesday, Sep 18, 2007 The Java Type System By now, you have seen a fair amount of Java. Time to study in more depth the foundations of the language,
Construct by Contract: Construct by Contract: An Approach for Developing Reliable Software
Construct by Contract: Construct by Contract: An Approach for Developing Reliable Software Juan Jose Mendoza Santana Dissertation 2013 Erasmus Mundus MSc in Dependable Software Systems Department of Computer
Parallel Programming
Parallel Programming 0024 Recitation Week 7 Spring Semester 2010 R 7 :: 1 0024 Spring 2010 Today s program Assignment 6 Review of semaphores Semaphores Semaphoren and (Java) monitors Semaphore implementation
Lecture 12: Abstract data types
Lecture 12: Abstract data types Algebras Abstract data types Encapsulation and information hiding Parameterization Algebras Definition Which kinds of data do we want to discuss? What can we do with it?
C Compiler Targeting the Java Virtual Machine
C Compiler Targeting the Java Virtual Machine Jack Pien Senior Honors Thesis (Advisor: Javed A. Aslam) Dartmouth College Computer Science Technical Report PCS-TR98-334 May 30, 1998 Abstract One of the
Moving from CS 61A Scheme to CS 61B Java
Moving from CS 61A Scheme to CS 61B Java Introduction Java is an object-oriented language. This document describes some of the differences between object-oriented programming in Scheme (which we hope you
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
Handout 1. Introduction to Java programming language. Java primitive types and operations. Reading keyboard Input using class Scanner.
Handout 1 CS603 Object-Oriented Programming Fall 15 Page 1 of 11 Handout 1 Introduction to Java programming language. Java primitive types and operations. Reading keyboard Input using class Scanner. Java
Lecture Notes on Linear Search
Lecture Notes on Linear Search 15-122: Principles of Imperative Computation Frank Pfenning Lecture 5 January 29, 2013 1 Introduction One of the fundamental and recurring problems in computer science is
Lecture 6: Semaphores and Monitors
HW 2 Due Tuesday 10/18 Lecture 6: Semaphores and Monitors CSE 120: Principles of Operating Systems Alex C. Snoeren Higher-Level Synchronization We looked at using locks to provide mutual exclusion Locks
INF5140: Specification and Verification of Parallel Systems
INF5140: Specification and Verification of Parallel Systems Lecture 7 LTL into Automata and Introduction to Promela Gerardo Schneider Department of Informatics University of Oslo INF5140, Spring 2007 Gerardo
MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question.
Exam Name MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question. 1) The JDK command to compile a class in the file Test.java is A) java Test.java B) java
Static vs. Dynamic. Lecture 10: Static Semantics Overview 1. Typical Semantic Errors: Java, C++ Typical Tasks of the Semantic Analyzer
Lecture 10: Static Semantics Overview 1 Lexical analysis Produces tokens Detects & eliminates illegal tokens Parsing Produces trees Detects & eliminates ill-formed parse trees Static semantic analysis
