Monitors, Java, Threads and Processes
|
|
|
- Catherine Bryan
- 10 years ago
- Views:
Transcription
1 Monitors, Java, Threads and Processes 185
2 An object-oriented view of shared memory A semaphore can be seen as a shared object accessible through two methods: wait and signal. The idea behind the concept of monitor is to generalize this to other types of objects with other methods. If several processes can execute methods on the same object, the interaction between these processes has to be managed: An appropriate level of atomicity has to be imposed in order to guarantee that methods are executed correctly; A mechanism for suspending processes while they wait for a given condition on the state of the shared object is needed. 186
3 Monitors : the concept A monitor is a class used in the context of concurrency. The instances of the class will thus be objects simultaneously used by several processes. Defining a monitor is done by defining the corresponding class. We will use a Java inspired syntax. 187
4 A class example: stack public class Stack { protected static int max = 300; private int nbelements; private Object[] content; public Stack() { nbelements = 0; content = new Object[max]; public void push(object e) { if (nbelements < max) content[nbelements++] = e; public Object pop() { if (nbelements > 0) return content[--nbelements]; else return null; 188
5 Monitors : a first synchronization rule Even for a class as simple as Stack, the simultaneous execution of class methods by different processes can be problematic. A first synchronization rule imposed in the context of monitors is thus the following: The methods of a monitor are executed in mutual exclusion. Java Note. In Java, mutual exclusion of methods has to be explicitly specified withe the keyword synchronized. 189
6 The producer-consumer problem in the context of monitors This is quite naturally solved with the following class. public class PCbuffer { private Object buffer[]; /* Shared memory */ private int N; /* Buffer capacity */ private int count, in, out; /* nb of elements, pointers */ public PCbuffer(int argsize) { /* creation of a buffer of size argsize */ N = argsize; buffer = new Object[N]; count = 0; in = 0; out = 0; 190
7 public synchronized void append(object data) { buffer[in] = data; in = (in + 1) % N; count++; public synchronized Object take() { Object data; data = buffer[out]; out = (out + 1) % N; count--; return data; The required synchronization when the buffer is empty or full is obviously missing. 191
8 Monitors: synchronization with wait queues In order to suspend processes when they cannot execute the required operation, we will use wait queues. These queues are managed using three operations. qwait() : suspends the process executing this operation and places it in the queue. qsignal() : frees the first process in the wait queue (has no effect if the queue is empty). qnonempty() : tests that the queue is not empty. When a process is suspended and placed in the queue with the operation qwait(), it relinquishes the mutual exclusion linked to the execution of a monitor method. 192
9 Wait queues viewed as a class Wait queues are viewed as objects instantiated form the following class whose full definition will be given later. public class Waitqueue {... /* data (to be defined) */ public Waitqueue() {... /* constructor (to be defined) */ public void qwait() {... /* wait operation */ public void qsignal() {... /* signal operation (allows a waiting process to resume its execution) */ public boolean qnonempty() {... /* tests that the queue is not empty */ 193
10 The producer-consumer problem with wait queues To synchronize the producers and consumers, two wait queues will be used: one for the processes waiting for an element to consume, one for the processes waiting for available space in the buffer. public class PCbuffer { private Object buffer[]; /* Shared memory */ private int N ; /* Buffer capacity */ private int count, in, out; /* nb of elements, pointers */ private Waitqueue notfull, notempty; /* wait queues */ public PCbuffer(int argsize) { N = argsize; /* creating a buffer of size buffer = new Object[N]; argsize */ count = 0; in = 0; out = 0; notfull = new Waitqueue(); notempty = new Waitqueue(); 194
11 public synchronized void append(object data) { if (count == N) notfull.qwait(); buffer[in] = data; in = (in + 1) % N; count++; notempty.qsignal(); public synchronized Object take() { Object data; if (count == O) notempty.qwait(); data = buffer[out]; out = (out + 1) % N; count--; notfull.qsignal(); return data; The operation qsignal has no effect if the queue is empty. Thus this solution avoids the double signaling problem encountered when using binary semaphores. 195
12 Priorities when executing a qsignal operation When a qsignal operation is executed, the process at the head of the wait queue is freed, but a priori this does not mean that it will immediately resume its execution. This is potentially problematic since the situation that triggered the qsignal operation (for instance a nonempty buffer) might no longer be true when the freed process actually resumes its execution (for instance because another process has taken the only remaining element in a nonempty buffer). 196
13 To avoid this, the following rule is imposed on monitor synchronization: Immediate resumption: the process freed by a qsignal operation has priority over all other processes attempting to execute and operation on the object for which the wait queue is used. How about the process executing the qsignal operation? The process executing the qsignal operation has priority to finish executing the method it is currently in, as soon as the freed process has completed its own monitor method. 197
14 Semaphores viewed a monitors With the wait queue mechanism, semaphores can easily be implemented as monitors. This also allows defining other operations on semaphores, in particular testing the number of processes waiting on the semaphore, which we will make use of later. public class Semaphore { int value; /* The value of the semaphore */ int nbwait = 0; /* The number of waiting processes */ Waitqueue queue; public Semaphore(int inival) { value = inival; queue = new Waitqueue(); 198
15 public synchronized void semwait() { if (value <= 0) { nbwait++; queue.qwait(); nbwait--; value--; public synchronized void semsignal() { value++; queue.qsignal(); public synchronized int semnbwait() { return nbwait; Note that immediate resumption is essential for this implementation to be correct. 199
16 Implementing wait queues Obviously, implementing wait queues requires a mechanism for suspending processes that has to be provided by the program execution environment. We will temporarily ignore this problem, assuming that we have access to semaphores with a direct implementation that does not use queues as above. Immediate resumption requires special attention since it establishes a link between the wait queues and mutual exclusion of the monitor methods. We will first examine an implementation that does not guarantee immediate resumption, taking this constraint into account at a later stage. 200
17 Implementing wait queues without immediate resumption A queue is implemented with a semaphore (assumed to be FIFO) whose value is always 0. public class Waitqueue { private int qcount = 0; /* The number of waiting processes */ private Semaphore Qsem; public Waitqueue() { Qsem = new Semaphore(0); /* creating the semaphore initialized to 0 */ public void synchronized qwait() /* wait operation */ { qcount++; Qsem.semWait(); qcount--; 201
18 public void synchronized qsignal() /* signal operation */ { if (qcount > 0) Qsem.semSignal(); public boolean synchronized qnonempty() { return qcount == 0; /* testing if the queue is non empty */ Independently of the problem linked to immediate resumption, this solution is prone to potential deadlocks linked to the multiple use of the synchronized attribute. 202
19 Note on Java : synchronized and locks A method declared as synchronized is executed in mutual exclusion with respect to the other methods operating on the same object. This can be understood by considering that there is a lock (possibly implemented by a semaphore) linked to the object. When a synchronized method calls a synchronized method of another object, locking on this new object also occurs. A problem appears when a process is suspended and enters a wait state. When this happens, locks must be freed, but this is hard to do if a sequence of lock operations have been performed. In Java, the basic wait operation (see further down ) only frees the lock on the current object. 203
20 Implementing queues with immediate resumption To solve both the problem of immediate resumption and that of multiple locks, we will manage mutual exclusion between monitor methods explicitly with a semaphore. When a process will be suspended, the operation qwait will explicitly free the mutual exclusion associated with the method calling the operation qwait. In order to do this, an argument giving the mutual exclusion semaphore to be freed will be given to qwait, as well as to qsignal in order to be able to handle immediate resumption. 204
21 An implementation of queues with immediate resumption (continued) public class Waitqueue { private int qcount = 0; /* the number of waiting processes */ private Semaphore Qsem; public Waitqueue() { Qsem = new Semaphore(0); /* creating a semaphore initialized to 0 */ public void qwait(semaphore Mutsem) /* wait operation */ { qcount++; Mutsem.semSignal(); Qsem.semWait(); qcount--; 205
22 public void qsignal(semaphore Mutsem) /* signal operation */ { if (qcount > 0) { Qsem.semSignal(); Mutsem.semWait(); public boolean qnonempty() { return qcount == 0; /* testing if the queue is nonempty */ To prevent deadlocks, mutual exclusion is not imposed on the wait queue operations. Undesired interference is nevertheless impossible since a queue is only used by a single shared object and since the methods operating on this object are already executed in mutual exclusion. 206
23 The buffer using queues implemented by semaphores public class PCbuffer { private Object buffer[]; /* Shared memory */ private int N ; /* Buffer Capacity */ private int count, in, out; /* nb of elements, pointers */ private Waitqueue notfull, notempty; /* wait queues */ private mutex Semaphore; /* mutual exclusion semaphore */ public PCbuffer(int argsize) { N = argsize; buffer = new Object[N]; count = 0; in = 0; out = 0; notfull = new Waitqueue(); notempty = new Waitqueue(); mutex = new Semaphore(1); 207
24 public void append(object data) { mutex.semwait() if (count == N) notfull.qwait(mutex); buffer[in] = data; in = (in + 1) % N; count++; notempty.qsignal(mutex); mutex.semsignal(); public Object take() { Object data; mutex.semwait() if (count == O) notempty.qwait(mutex); data = buffer[out]; out = (out + 1) % N; count--; notfull.qsignal(mutex); mutex.semsignal(); return data; 208
25 Priority of processes having executed an operation qsignal In the implementation above, priority is not given to the process having executed the operation qsignal. For doing this, a second mutual exclusion semaphore urgent will be used. The operation qwait will be called with the mutual exclusion semaphore, or with the semaphore urgent, depending on whether processes are waiting on the latter of not. To achieve this, the number of processes waiting on urgent will be counted explicitly. Indeed, a call to semnbwait(urgent) does not count the processes that have executed an operation qsignal, are going to wait on urgent, but have not yet done so. At the end of a method, the operation semsignal is executed on urgent if a process is waiting on this semaphore; if not the the operation is executed on the mutual exclusion semaphore. 209
26 An implementation of wait queues with immediate resumption and priority to the signaling process public class PCbuffer { private Object buffer[]; /* Shared memory */ private int N ; /* Buffer capacity */ private int count, in, out; /* nb of elements, pointers */ private Waitqueue notfull, notempty; /* wait queues */ private Semaphore mutex, urgent; /* semaphores */ private int urcount; /* nb of processes waiting on urgent */ public PCbuffer(int argsize) { N = argsize; buffer = new Object[N]; count = 0; in = 0; out = 0; urcount = 0; notfull = new Waitqueue(); notempty = new Waitqueue(); mutex = new Semaphore(1); urgent = new Semaphore(0); 210
27 public void append(object data) { mutex.semwait() if (count == N) { if (urcount > 0) notfull.qwait(urgent); else notfull.qwait(mutex); buffer[in] = data; in = (in + 1) % N; count++; urcount++; notempty.qsignal(urgent); urcount--; if (urcount > 0) urgent.semsignal(); else mutex.semsignal(); 211
28 public Object take() { Object data; mutex.semwait() if (count == 0) { if (urcount > 0) notempty.qwait(urgent); else notempty.qwait(mutex); data = buffer[out]; out = (out + 1) % N; count--; urcount++; nofull.qsignal(urgent); urcount--; if (urcount > 0) urgent.semsignal(); else mutex.semsignal(); return data; 212
29 Note on Java : Implementing semaphores To avoid circularity in the implementation of monitors, an implementation of semaphores that does not use the wait queues we have defined is needed. Java has the necessary primitive to make such an implementation possible. First, the synchronized attribute of a method guaranteed that it will be executed in mutual exclusion. Furthermore, Java provides methods for suspending and reactivating processes: wait(), notify() et notifyall(). 213
30 Note on Java : wait and notify wait() : Suspends the current process and frees mutual exclusion with respect to the current object. notify() : Selects a process waiting on the current object and makes it executable. The selected process must reacquire mutual exclusion (there is no immediate resumption). notifyall() : Similar to notify(), but makes executable all processes that are waiting on the current object. 214
31 A first implementation of semaphores in Java public class Semaphore { private int value; /* the value of the semaphore */ private int nbwait = 0; /* nb waiting */ public Semaphore(int inival) { value = inival; public synchronized void semwait() { while (value <= 0) { nbwait++; wait(); value--; Since there is no immediate resumption, the value of the semaphore has to be tested after returning from the call to wait(). 215
32 public synchronized void semsignal() { value++; if (nbwait > 0) { nbwait--; notify(); public synchronized int semnbwait() { return nbwait; The operation nbwait-- is done in semsignal() just before notify() because, given that there is no immediate resumption, executing this operation in semwait() after wait() could lead to an incorrect value being returned by semnbwait(). The semantics of wait() and notify() imply that this implementation is not fair. 216
33 A fair implementation of semaphores in Java To obtain a fair implementation, the wait queue has to be explicitly implemented. The queue will be a queue of objects on each of which a single process will be waiting. The fact that there is no fairness for notify() operations will thus not be a problem. 217
34 A fair implementation of semaphores in Java (continued) The class Queue implements a classical wait queue. public class SemaphoreFIFO { private int value; /* the value of the semaphore */ private int nbwait = 0; /* nb waiting */ private Queue thequeue; /* The explicit wait queue */ public SemaphoreFIFO(int inival) { value = inival; thequeue = new Queue(); 218
35 public void semwait() { Semaphore semelem; synchronized(this){ if (value == 0) { semelem = new Semaphore(0); thequeue.enqueue(semelem); nbwait++; else { semelem = new Semaphore(1); value--; /* synchronized */ semelem.semwait(); The operation semelem.semwait() is withdrawn from the mutual exclusion to avoid double locking. Note the different initialization of semelem depending on whether value is at 0 or not. 219
36 public synchronized void semsignal() { Semaphore semelem; if (!thequeue.empty()){ semelem = thequeue.dequeue(); nbwait--; semelem.semsignal(); else value++; public synchronized int semnbwait() { return nbwait; The operation semsignal() frees the process blocked on the first element in the queue, if there is one. If not value is incremented. 220
37 Processes and Threads In Java one talks of Threads and not processes. What is the difference? A thread corresponds to an execution having its own control flow. Threads can be implemented by processes, but this has several drawbacks. Processes operate in distinct virtual spaces. Sharing objects between threads would thus be rather cumbersome to organize. Given the strong separation between the contexts of different processes, switching from one process to another is a heavy and thus slow operation. 221
38 Processes and Threads (continued) Several current operating systems provide support for threads or light processes. These processes differ from traditional processes being designed to cooperate (sharing for example the same virtual space) rather than working in completely distinct contexts. System threads have appeared as a tool to make use of parallel machines. Java threads can be implemented by system threads. Java threads can also be implemented within a system process by including a simple task manager in the code to be executed. 222
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
Last Class: Semaphores
Last Class: Semaphores A semaphore S supports two atomic operations: S Wait(): get a semaphore, wait if busy semaphore S is available. S Signal(): release the semaphore, wake up a process if one is waiting
Chapter 6 Concurrent Programming
Chapter 6 Concurrent Programming Outline 6.1 Introduction 6.2 Monitors 6.2.1 Condition Variables 6.2.2 Simple Resource Allocation with Monitors 6.2.3 Monitor Example: Circular Buffer 6.2.4 Monitor Example:
Semaphores and Monitors: High-level Synchronization Constructs
Semaphores and Monitors: High-level Synchronization Constructs 1 Synchronization Constructs Synchronization Coordinating execution of multiple threads that share data structures Past few lectures: Locks:
! Past few lectures: Ø Locks: provide mutual exclusion Ø Condition variables: provide conditional synchronization
1 Synchronization Constructs! Synchronization Ø Coordinating execution of multiple threads that share data structures Semaphores and Monitors: High-level Synchronization Constructs! Past few lectures:
CS11 Java. Fall 2014-2015 Lecture 7
CS11 Java Fall 2014-2015 Lecture 7 Today s Topics! All about Java Threads! Some Lab 7 tips Java Threading Recap! A program can use multiple threads to do several things at once " A thread can have local
Mutual Exclusion using Monitors
Mutual Exclusion using Monitors Some programming languages, such as Concurrent Pascal, Modula-2 and Java provide mutual exclusion facilities called monitors. They are similar to modules in languages that
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 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
Concurrent Programming
Concurrent Programming Shared Memory Passing the baton Monitors Verónica Gaspes www.hh.se/staff/vero CERES, November 2, 2007 ceres Outline 1 Recap 2 Readers & Writers Readers & writers (mutual exclusion)
SSC - Concurrency and Multi-threading Java multithreading programming - Synchronisation (I)
SSC - Concurrency and Multi-threading Java multithreading programming - Synchronisation (I) Shan He School for Computational Science University of Birmingham Module 06-19321: SSC Outline Outline of Topics
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
Lecture 6: Introduction to Monitors and Semaphores
Concurrent Programming 19530-V (WS01) Lecture 6: Introduction to Monitors and Semaphores Dr. Richard S. Hall [email protected] Concurrent programming November 27, 2001 Abstracting Locking Details
Monitors & Condition Synchronization
Chapter 5 Monitors & Condition Synchronization 1 monitors & condition synchronization Concepts: monitors: encapsulated data + access procedures mutual exclusion + condition synchronization nested monitors
Thread Synchronization and the Java Monitor
Articles News Weblogs Buzz Chapters Forums Table of Contents Order the Book Print Email Screen Friendly Version Previous Next Chapter 20 of Inside the Java Virtual Machine Thread Synchronization by Bill
Monitor Object. An Object Behavioral Pattern for Concurrent Programming. Douglas C. Schmidt
Monitor Object An Object Behavioral Pattern for Concurrent Programming Douglas C. Schmidt [email protected] Department of Computer Science Washington University, St. Louis 1 Intent The Monitor Object
Concurrent programming in Java
Concurrent programming in Java INF4140 04.10.12 Lecture 5 0 Book: Andrews - ch.05 (5.4) Book: Magee & Kramer ch.04 - ch.07 INF4140 (04.10.12) Concurrent programming in Java Lecture 5 1 / 33 Outline 1 Monitors:
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
3C03 Concurrency: Condition Synchronisation
3C03 Concurrency: Condition Synchronisation Mark Handley 1 Goals n Introduce concepts of Condition synchronisation Fairness Starvation n Modelling: Relationship between guarded actions and condition synchronisation?
Overview Motivating Examples Interleaving Model Semantics of Correctness Testing, Debugging, and Verification
Introduction Overview Motivating Examples Interleaving Model Semantics of Correctness Testing, Debugging, and Verification Advanced Topics in Software Engineering 1 Concurrent Programs Characterized by
4. Monitors. Monitors support data encapsulation and information hiding and are easily adapted to an object-oriented environment.
4. Monitors Problems with semaphores: - shared variables and the semaphores that protect them are global variables - Operations on shared variables and semaphores distributed throughout program - difficult
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
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
Chapter 6, The Operating System Machine Level
Chapter 6, The Operating System Machine Level 6.1 Virtual Memory 6.2 Virtual I/O Instructions 6.3 Virtual Instructions For Parallel Processing 6.4 Example Operating Systems 6.5 Summary Virtual Memory General
Topics. Producing Production Quality Software. Concurrent Environments. Why Use Concurrency? Models of concurrency Concurrency in Java
Topics Producing Production Quality Software Models of concurrency Concurrency in Java Lecture 12: Concurrent and Distributed Programming Prof. Arthur P. Goldberg Fall, 2005 2 Why Use Concurrency? Concurrent
MonitorExplorer: A State Exploration-Based Approach to Testing Java Monitors
Department of Computer Science and Engineering University of Texas at Arlington Arlington, TX 76019 MonitorExplorer: A State Exploration-Based Approach to Testing Java Monitors Y. Lei, R. Carver, D. Kung,
Monitors and Semaphores
Monitors and Semaphores Annotated Condition Variable Example Condition *cv; Lock* cvmx; int waiter = 0; await() { cvmx->lock(); waiter = waiter + 1; /* I m sleeping */ cv->wait(cvmx); /* sleep */ cvmx->unlock();
Built-in Concurrency Primitives in Java Programming Language. by Yourii Martiak and Mahir Atmis
Built-in Concurrency Primitives in Java Programming Language by Yourii Martiak and Mahir Atmis Overview One of the many strengths of Java is the built into the programming language support for concurrency
Design Patterns in C++
Design Patterns in C++ Concurrency Patterns Giuseppe Lipari http://retis.sssup.it/~lipari Scuola Superiore Sant Anna Pisa May 4, 2011 G. Lipari (Scuola Superiore Sant Anna) Concurrency Patterns May 4,
Priority Inversion Problem and Deadlock Situations
INTER-PROCESS COMMUNICATION AND SYNCHRONISATION: Lesson-11: Priority Inversion Problem and Deadlock Situations 1 1. Priority Inversion 2 Assume Priorities of tasks be in an order such that task I highest
Real Time Programming: Concepts
Real Time Programming: Concepts Radek Pelánek Plan at first we will study basic concepts related to real time programming then we will have a look at specific programming languages and study how they realize
COMMMUNICATING COOPERATING PROCESSES
COMMMUNICATING COOPERATING PROCESSES The producer-consumer paradigm A buffer of items can be filled by the producer and emptied by the consumer. The producer and the consumer must be synchronized: the
COS 318: Operating Systems. Semaphores, Monitors and Condition Variables
COS 318: Operating Systems Semaphores, Monitors and Condition Variables Prof. Margaret Martonosi Computer Science Department Princeton University http://www.cs.princeton.edu/courses/archive/fall11/cos318/
Java Concurrency Framework. Sidartha Gracias
Java Concurrency Framework Sidartha Gracias Executive Summary This is a beginners introduction to the java concurrency framework Some familiarity with concurrent programs is assumed However the presentation
Java the UML Way: Integrating Object-Oriented Design and Programming
Java the UML Way: Integrating Object-Oriented Design and Programming by Else Lervik and Vegard B. Havdal ISBN 0-470-84386-1 John Wiley & Sons, Ltd. Table of Contents Preface xi 1 Introduction 1 1.1 Preliminaries
SYSTEM ecos Embedded Configurable Operating System
BELONGS TO THE CYGNUS SOLUTIONS founded about 1989 initiative connected with an idea of free software ( commercial support for the free software ). Recently merged with RedHat. CYGNUS was also the original
Threads 1. When writing games you need to do more than one thing at once.
Threads 1 Threads Slide 1 When writing games you need to do more than one thing at once. Threads offer a way of automatically allowing more than one thing to happen at the same time. Java has threads as
Shared Address Space Computing: Programming
Shared Address Space Computing: Programming Alistair Rendell See Chapter 6 or Lin and Synder, Chapter 7 of Grama, Gupta, Karypis and Kumar, and Chapter 8 of Wilkinson and Allen Fork/Join Programming Model
TESTING JAVA MONITORS BY STATE SPACE EXPLORATION MONICA HERNANDEZ. Presented to the Faculty of the Graduate School of
TESTING JAVA MONITORS BY STATE SPACE EXPLORATION by MONICA HERNANDEZ Presented to the Faculty of the Graduate School of The University of Texas at Arlington in Partial Fulfillment of the Requirements for
7.1 Our Current Model
Chapter 7 The Stack In this chapter we examine what is arguably the most important abstract data type in computer science, the stack. We will see that the stack ADT and its implementation are very simple.
OPERATING SYSTEMS PROCESS SYNCHRONIZATION
OPERATING SYSTEMS PROCESS Jerry Breecher 6: Process Synchronization 1 OPERATING SYSTEM Synchronization What Is In This Chapter? This is about getting processes to coordinate with each other. How do processes
Java Interview Questions and Answers
1. What is the most important feature of Java? Java is a platform independent language. 2. What do you mean by platform independence? Platform independence means that we can write and compile the java
Distributed Systems [Fall 2012]
Distributed Systems [Fall 2012] [W4995-2] Lec 6: YFS Lab Introduction and Local Synchronization Primitives Slide acks: Jinyang Li, Dave Andersen, Randy Bryant (http://www.news.cs.nyu.edu/~jinyang/fa10/notes/ds-lec2.ppt,
The C Programming Language course syllabus associate level
TECHNOLOGIES The C Programming Language course syllabus associate level Course description The course fully covers the basics of programming in the C programming language and demonstrates fundamental programming
Operating System Manual. Realtime Communication System for netx. Kernel API Function Reference. www.hilscher.com.
Operating System Manual Realtime Communication System for netx Kernel API Function Reference Language: English www.hilscher.com rcx - Kernel API Function Reference 2 Copyright Information Copyright 2005-2007
Design Pattern for the Adaptive Scheduling of Real-Time Tasks with Multiple Versions in RTSJ
Design Pattern for the Adaptive Scheduling of Real-Time Tasks with Multiple Versions in RTSJ Rodrigo Gonçalves, Rômulo Silva de Oliveira, Carlos Montez LCMI Depto. de Automação e Sistemas Univ. Fed. de
How to build agent based models. Field service example
Simulation Modeling with AnyLogic: Agent Based, Discrete Event and System Dynamics Methods 1 How to build agent based models. Field service example Agent based modeling is the easiest modeling method.
Tasks Schedule Analysis in RTAI/Linux-GPL
Tasks Schedule Analysis in RTAI/Linux-GPL Claudio Aciti and Nelson Acosta INTIA - Depto de Computación y Sistemas - Facultad de Ciencias Exactas Universidad Nacional del Centro de la Provincia de Buenos
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
Quiz 4 Solutions EECS 211: FUNDAMENTALS OF COMPUTER PROGRAMMING II. 1 Q u i z 4 S o l u t i o n s
Quiz 4 Solutions Q1: What value does function mystery return when called with a value of 4? int mystery ( int number ) { if ( number
Chapter 1 FUNDAMENTALS OF OPERATING SYSTEM
Chapter 1 FUNDAMENTALS OF OPERATING SYSTEM An operating system is a program that acts as an intermediary between a user of a computer and the computer hardware. The purpose of an operating system is to
Replication on Virtual Machines
Replication on Virtual Machines Siggi Cherem CS 717 November 23rd, 2004 Outline 1 Introduction The Java Virtual Machine 2 Napper, Alvisi, Vin - DSN 2003 Introduction JVM as state machine Addressing non-determinism
This lecture. Abstract data types Stacks Queues. ADTs, Stacks, Queues 1. 2004 Goodrich, Tamassia
This lecture Abstract data types Stacks Queues ADTs, Stacks, Queues 1 Abstract Data Types (ADTs) An abstract data type (ADT) is an abstraction of a data structure An ADT specifies: Data stored Operations
Concepts of Concurrent Computation
Chair of Software Engineering Concepts of Concurrent Computation Bertrand Meyer Sebastian Nanz Lecture 3: Synchronization Algorithms Today's lecture In this lecture you will learn about: the mutual exclusion
Course: Programming II - Abstract Data Types. The ADT Queue. (Bobby, Joe, Sue, Ellen) Add(Ellen) Delete( ) The ADT Queues Slide Number 1
Definition Course: Programming II - Abstract Data Types The ADT Queue The ADT Queue is a linear sequence of an arbitrary number of items, together with access procedures. The access procedures permit addition
Multiprocessor Scheduling and Scheduling in Linux Kernel 2.6
Multiprocessor Scheduling and Scheduling in Linux Kernel 2.6 Winter Term 2008 / 2009 Jun.-Prof. Dr. André Brinkmann [email protected] Universität Paderborn PC² Agenda Multiprocessor and
A Survey of Parallel Processing in Linux
A Survey of Parallel Processing in Linux Kojiro Akasaka Computer Science Department San Jose State University San Jose, CA 95192 408 924 1000 [email protected] ABSTRACT Any kernel with parallel processing
Deadlock Victim. dimanche 6 mai 12
Deadlock Victim by Dr Heinz Kabutz && Olivier Croisier The Java Specialists Newsletter && The Coder's Breakfast [email protected] && [email protected] 1 You discover a race condition 2
Last Class: OS and Computer Architecture. Last Class: OS and Computer Architecture
Last Class: OS and Computer Architecture System bus Network card CPU, memory, I/O devices, network card, system bus Lecture 3, page 1 Last Class: OS and Computer Architecture OS Service Protection Interrupts
The Sun Certified Associate for the Java Platform, Standard Edition, Exam Version 1.0
The following applies to all exams: Once exam vouchers are purchased you have up to one year from the date of purchase to use it. Each voucher is valid for one exam and may only be used at an Authorized
Crash Course in Java
Crash Course in Java Based on notes from D. Hollinger Based in part on notes from J.J. Johns also: Java in a Nutshell Java Network Programming and Distributed Computing Netprog 2002 Java Intro 1 What is
QUEUES. Primitive Queue operations. enqueue (q, x): inserts item x at the rear of the queue q
QUEUES A queue is simply a waiting line that grows by adding elements to its end and shrinks by removing elements from the. Compared to stack, it reflects the more commonly used maxim in real-world, namely,
Facing the Challenges for Real-Time Software Development on Multi-Cores
Facing the Challenges for Real-Time Software Development on Multi-Cores Dr. Fridtjof Siebert aicas GmbH Haid-und-Neu-Str. 18 76131 Karlsruhe, Germany [email protected] Abstract Multicore systems introduce
A Comparison Of Shared Memory Parallel Programming Models. Jace A Mogill David Haglin
A Comparison Of Shared Memory Parallel Programming Models Jace A Mogill David Haglin 1 Parallel Programming Gap Not many innovations... Memory semantics unchanged for over 50 years 2010 Multi-Core x86
Linux Driver Devices. Why, When, Which, How?
Bertrand Mermet Sylvain Ract Linux Driver Devices. Why, When, Which, How? Since its creation in the early 1990 s Linux has been installed on millions of computers or embedded systems. These systems may
Introduction to Stacks
Introduction to Stacks What is a Stack Stack implementation using array. Stack implementation using linked list. Applications of Stack. What is a Stack? Stack is a data structure in which data is added
Java Virtual Machine Locks
Java Virtual Machine Locks SS 2008 Synchronized Gerald SCHARITZER (e0127228) 2008-05-27 Synchronized 1 / 13 Table of Contents 1 Scope...3 1.1 Constraints...3 1.2 In Scope...3 1.3 Out of Scope...3 2 Logical
Concurrent C* N. H. Gehani W. D. Roome. AT&T Bell Laboratories Murray Hill, New Jersey 07974
Concurrent C* N. H. Gehani W. D. Roome AT&T Bell Laboratories Murray Hill, New Jersey 07974 1. Introduction Concurrent programming is becoming increasingly important because multicomputer architectures,
Operating Systems and Networks
recap Operating Systems and Networks How OS manages multiple tasks Virtual memory Brief Linux demo Lecture 04: Introduction to OS-part 3 Behzad Bordbar 47 48 Contents Dual mode API to wrap system calls
The Little Book of Semaphores
The Little Book of Semaphores Allen B. Downey Version 2.1.2 2 The Little Book of Semaphores Second Edition Version 2.1.2 Copyright 2005, 2006, 2007 Allen B. Downey Permission is granted to copy, distribute
Compute Cluster Server Lab 3: Debugging the parallel MPI programs in Microsoft Visual Studio 2005
Compute Cluster Server Lab 3: Debugging the parallel MPI programs in Microsoft Visual Studio 2005 Compute Cluster Server Lab 3: Debugging the parallel MPI programs in Microsoft Visual Studio 2005... 1
Advanced Multiprocessor Programming
Advanced Multiprocessor Programming Jesper Larsson Träff [email protected] Research Group Parallel Computing aculty of nformatics, nstitute of nformation Systems Vienna University of Technology (TU
Database Replication with MySQL and PostgreSQL
Database Replication with MySQL and PostgreSQL Fabian Mauchle Software and Systems University of Applied Sciences Rapperswil, Switzerland www.hsr.ch/mse Abstract Databases are used very often in business
Android Application Development Course Program
Android Application Development Course Program Part I Introduction to Programming 1. Introduction to programming. Compilers, interpreters, virtual machines. Primitive data types, variables, basic operators,
Tuple spaces and Object spaces. Distributed Object Systems 12. Tuple spaces and Object spaces. Communication. Tuple space. Mechanisms 2.
Distributed Object Systems 12 Tuple spaces and Object spaces Tuple spaces and Object spaces Tuple spaces Shared memory as a mechanism for exchanging data in a distributed setting (i.e. separate from processes)
Threads Scheduling on Linux Operating Systems
Threads Scheduling on Linux Operating Systems Igli Tafa 1, Stavri Thomollari 2, Julian Fejzaj 3 Polytechnic University of Tirana, Faculty of Information Technology 1,2 University of Tirana, Faculty of
How To Write A Multi Threaded Software On A Single Core (Or Multi Threaded) System
Multicore Systems Challenges for the Real-Time Software Developer Dr. Fridtjof Siebert aicas GmbH Haid-und-Neu-Str. 18 76131 Karlsruhe, Germany [email protected] Abstract Multicore systems have become
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,
Contributions to Gang Scheduling
CHAPTER 7 Contributions to Gang Scheduling In this Chapter, we present two techniques to improve Gang Scheduling policies by adopting the ideas of this Thesis. The first one, Performance- Driven Gang Scheduling,
Java Classes. GEEN163 Introduction to Computer Programming
Java Classes GEEN163 Introduction to Computer Programming Never interrupt someone doing what you said couldn't be done. Amelia Earhart Classes, Objects, & Methods Object-oriented programming uses classes,
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
First-class User Level Threads
First-class User Level Threads based on paper: First-Class User Level Threads by Marsh, Scott, LeBlanc, and Markatos research paper, not merely an implementation report User-level Threads Threads managed
Building a Multi-Threaded Web Server
Building a Multi-Threaded Web Server In this lab we will develop a Web server in two steps. In the end, you will have built a multi-threaded Web server that is capable of processing multiple simultaneous
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
Computer Programming I
Computer Programming I COP 2210 Syllabus Spring Semester 2012 Instructor: Greg Shaw Office: ECS 313 (Engineering and Computer Science Bldg) Office Hours: Tuesday: 2:50 4:50, 7:45 8:30 Thursday: 2:50 4:50,
Java SE 7 Programming
Java SE 7 Programming The second of two courses that cover the Java Standard Edition 7 (Java SE 7) Platform, this course covers the core Application Programming Interfaces (API) you will use to design
Operating Systems OBJECTIVES 7.1 DEFINITION. Chapter 7. Note:
Chapter 7 OBJECTIVES Operating Systems Define the purpose and functions of an operating system. Understand the components of an operating system. Understand the concept of virtual memory. Understand the
Embedded Programming in C/C++: Lesson-1: Programming Elements and Programming in C
Embedded Programming in C/C++: Lesson-1: Programming Elements and Programming in C 1 An essential part of any embedded system design Programming 2 Programming in Assembly or HLL Processor and memory-sensitive
SystemC Tutorial. John Moondanos. Strategic CAD Labs, INTEL Corp. & GSRC Visiting Fellow, UC Berkeley
SystemC Tutorial John Moondanos Strategic CAD Labs, INTEL Corp. & GSRC Visiting Fellow, UC Berkeley SystemC Introduction Why not leverage experience of C/C++ developers for H/W & System Level Design? But
Systemnahe Programmierung KU
S C I E N C E P A S S I O N T E C H N O L O G Y Systemnahe Programmierung KU A6,A7 www.iaik.tugraz.at 1. Virtual Memory 2. A7 - Fast-Food Restaurant 2 Course Overview A8, A9 System Programming A7 Thread
Elemental functions: Writing data-parallel code in C/C++ using Intel Cilk Plus
Elemental functions: Writing data-parallel code in C/C++ using Intel Cilk Plus A simple C/C++ language extension construct for data parallel operations Robert Geva [email protected] Introduction Intel
Chapter 6: Programming Languages
Chapter 6: Programming Languages Computer Science: An Overview Eleventh Edition by J. Glenn Brookshear Copyright 2012 Pearson Education, Inc. Chapter 6: Programming Languages 6.1 Historical Perspective
Chapter 11 I/O Management and Disk Scheduling
Operating Systems: Internals and Design Principles, 6/E William Stallings Chapter 11 I/O Management and Disk Scheduling Dave Bremer Otago Polytechnic, NZ 2008, Prentice Hall I/O Devices Roadmap Organization
