Interrupts, Etc. Operating Systems In Depth V 1 Copyright 2018 Thomas W. Doeppner. All rights reserved.

Size: px
Start display at page:

Download "Interrupts, Etc. Operating Systems In Depth V 1 Copyright 2018 Thomas W. Doeppner. All rights reserved."

Transcription

1 Interrupts, Etc. Operating Systems In Depth V 1 Copyright 2018 Thomas W. Doeppner. All rights reserved.

2 Interrupts User stack frames Kernel stack frames Interrupt handler 1 s frame Interrupt handler 2 s frame Current thread s user stack Current thread s kernel stack Operating Systems In Depth V 2 Copyright 2018 Thomas W. Doeppner. All rights reserved.

3 x86 Interrupt Architecture Local APIC Local APIC Local APIC Local APIC I/O APIC I/O APIC external interrupts external interrupts Operating Systems In Depth V 3 Copyright 2018 Thomas W. Doeppner. All rights reserved.

4 Dealing with Interrupts Interrupt comes from external source Must execute code to handle it Which stack? use current (kernel) stack or use separate stack Operating Systems In Depth V 4 Copyright 2018 Thomas W. Doeppner. All rights reserved.

5 Use the Current (Kernel) Stack Borrowed from the current thread requires all threads to have sufficiently large kernel stacks Interrupted thread may not concurrently execute would corrupt interrupt handler s stack frames Interrupt handler should not block may be waiting on interrupted thread - deadlock threads must mask interrupts to protect data structures shared with interrupt handlers Operating Systems In Depth V 5 Copyright 2018 Thomas W. Doeppner. All rights reserved.

6 Hierarchical Interrupt Masking Interrupts assigned priorities 1 n current interrupt priority level i - interrupts with priorities 1 i masked IPL set to i - when interrupt of priority i is handled - when IPL set explicitly to i Raising the IPL protects data structures - good! delays response to lower priority interrupts - bad! Operating Systems In Depth V 6 Copyright 2018 Thomas W. Doeppner. All rights reserved.

7 Separate Interrupt Stack Single stack used strictly by interrupt handlers hardware saves current register state on interrupt stack no interrupt-handling space required for kernel stacks - all can be smaller in principle, interrupted thread may continue to execute - won t corrupt interrupt handler s frames Quiz 1 Is interrupt-masking still required? a) yes b) no Operating Systems In Depth V 7 Copyright 2018 Thomas W. Doeppner. All rights reserved.

8 (Non-Quiz) Questions 1) Is interrupt masking still required? Done 2) May interrupt handler block? 3) Does it work on multiprocessors? Operating Systems In Depth V 8 Copyright 2018 Thomas W. Doeppner. All rights reserved.

9 Answers 1) Masking is still required if nothing else, to protect data structures shared by multiple interrupt handlers 2) Interrupt handlers should not block would have to block with raised IPL results in lengthy time with interrupts masked - delayed response 3) Yes, but each processor has its own interrupt stack Operating Systems In Depth V 9 Copyright 2018 Thomas W. Doeppner. All rights reserved.

10 Interrupt Threads Give each interrupt instance its own stack handlers effectively execute as separate threads interrupted thread continues to run but interrupts remain masked while interrupt thread is processing interrupt Operating Systems In Depth V 10 Copyright 2018 Thomas W. Doeppner. All rights reserved.

11 Effect of Interrupts Normally don t directly affect current thread thread is interrupted interrupt is dealt with thread is resumed I/O-completion interrupts may result in waking up higher-priority thread Clock interrupts may trigger end of time slice Operating Systems In Depth V 11 Copyright 2018 Thomas W. Doeppner. All rights reserved.

12 Synchronization and Interrupts Non-preemptive kernels threads running in privileged mode yield the processor only voluntarily involuntary thread switches happen only to threads in user mode - end of time slice - higher-priority thread is made runnable inter-thread synchronization is easy Preemptive kernels threads running in privileged mode may be forced to yield the processor inter-thread sync is not easy Operating Systems In Depth V 12 Copyright 2018 Thomas W. Doeppner. All rights reserved.

13 Non-Preemptive Kernel Sync. int X = 0; void AccessXThread() { int oldipl; oldipl = setipl(ihlevel); X = X+1; setipl(oldipl); void AccessXInterrupt() { X = X+1; Operating Systems In Depth V 13 Copyright 2018 Thomas W. Doeppner. All rights reserved.

14 Disk I/O int disk_write() { startio(); // start disk operation enqueue(disk_waitq, CurrentThread); thread_switch(); // wait for disk operation to // complete void disk_intr() { thread_t *thread; // handle disk interrupt thread = dequeue(disk_waitq); if (thread!= 0) { enqueue(runqueue, thread); // wakeup waiting thread Operating Systems In Depth V 14 Copyright 2018 Thomas W. Doeppner. All rights reserved.

15 Improved Disk I/O int disk_write() { oldipl = setipl(diskipl); startio(); // start disk operation enqueue(disk_waitq, CurrentThread); thread_switch(); // wait for disk operation to complete setipl(oldipl); Operating Systems In Depth V 15 Copyright 2018 Thomas W. Doeppner. All rights reserved.

16 Modified thread_switch void thread_switch() { thread_t *OldThread; int oldipl; oldipl = setipl(high_ipl); // protect access to RunQueue by masking all interrupts while(queue_empty(runqueue)) { // repeatedly allow interrupts, then check RunQueue setipl(0); // IPL == 0 means no interrupts are masked setipl(high_ipl); // We found a runnable thread OldThread = CurrentThread; CurrentThread = dequeue(runqueue); swapcontext(oldthread->context, CurrentThread->context); setipl(oldipl); Operating Systems In Depth V 16 Copyright 2018 Thomas W. Doeppner. All rights reserved.

17 Preemptive Kernels on MP What s different? A thread accesses a shared data structure: 1. it might be interrupted by an interrupt handler (running on its processor) that accesses the same data structure 2. another thread running on another processor might access the same data structure 3. it might be forced to give up its processor to another thread, either because its time slice has expired or it has been preempted by a higherpriority thread 4. an interrupt handler running on another processor might access the same data structure Operating Systems In Depth V 17 Copyright 2018 Thomas W. Doeppner. All rights reserved.

18 Solution? int X = 0; SpinLock_t L = UNLOCKED; void AccessXThread() { SpinLock(&L); X = X+1; SpinUnlock(&L); void AccessXInterrupt() { SpinLock(&L); X = X+1; SpinUnlock(&L); Operating Systems In Depth V 18 Copyright 2018 Thomas W. Doeppner. All rights reserved.

19 Solution int X = 0; SpinLock_t L = UNLOCKED; void AccessXThread() { MaskInterrupts(); SpinLock(&L); X = X+1; SpinUnlock(&L); UnMaskInterrupts(); void AccessXInterrupt() { SpinLock(&L); X = X+1; SpinUnlock(&L); Operating Systems In Depth V 19 Copyright 2018 Thomas W. Doeppner. All rights reserved.

20 Quiz 2 We have a single-core system with a preemptible kernel. We re concerned about data structure X, which is accessed by kernel threads as well as by an interrupt handler. a) It s sufficient for threads to mask interrupts while accessing X b) In addition, threads must lock (blocking) mutexes before accessing X c) Instead of b, threads must lock spinlocks before accessing X d) In addition to c, the interrupt handler must lock a spinlock before accessing X Operating Systems In Depth V 20 Copyright 2018 Thomas W. Doeppner. All rights reserved.

21 Deferred Work Interrupt handlers run with interrupts masked both when executed in interrupt context or thread context may interfere with handling of other interrupts Solution do minimal work now do rest later without interrupts masked Operating Systems In Depth V 21 Copyright 2018 Thomas W. Doeppner. All rights reserved.

22 Deferred Processing void TopLevelInterruptHandler(int dev) { InterruptVector[dev](); // call appropriate handler if (PreviousContext == ThreadContext) { UnMaskInterrupts(); while(!empty(workqueue)) { Work = DeQueue(WorkQueue); Work(); void NetworkInterruptHandler() { // deal with interrupt EnQueue(WorkQueue, MoreWork); Operating Systems In Depth V 22 Copyright 2018 Thomas W. Doeppner. All rights reserved.

23 Windows Interrupt Priority Levels hardware software 31 High 30 Power fail 29 Inter-processor 28 Clock... 4 Device 2 3 Device 1 2 DPC 1 APC 0 Thread Operating Systems In Depth V 23 Copyright 2018 Thomas W. Doeppner. All rights reserved.

24 Deferred Procedure Calls void InterruptHandler( ) { // deal with interrupt QueueDPC(MoreWork, arg); /* enqueues MoreWork on */ the DPC queue and requests a DPC interrupt void DPCHandler( ) { while(!empty(dpcqueue)) { Work = DeQueue(DPCQueue); Work(); Operating Systems In Depth V 24 Copyright 2018 Thomas W. Doeppner. All rights reserved.

25 Software Interrupt Threads void InterruptHandler() { // deal with interrupt EnQueue(WorkQueue, MoreWork); SetEvent(Work); void SoftwareInterruptThread() { while(true) { WaitEvent(Work) while(!empty(workqueue)) { Work = DeQueue( WorkQueue); Work(); Operating Systems In Depth V 25 Copyright 2018 Thomas W. Doeppner. All rights reserved.

26 Preemption: User-Level Only void ClockHandler() { // deal with clock interrupt if (TimeSliceOver()) ShouldReschedule = 1; void TopLevelInterruptHandler(int dev) { InterruptVector[dev](); if (PreviousMode == UserMode) { // the clock interrupted user-mode code if (ShouldReschedule) Reschedule(); void TopLevelTrapHandler() { SpecificTrapHandler(); if (ShouldReschedule) { /* the time slice expired while the thread was in kernel mode */ Reschedule(); Operating Systems In Depth V 26 Copyright 2018 Thomas W. Doeppner. All rights reserved.

27 Preemption: Full void ClockInterruptHandler( ) { // deal with clock interrupt if (TimeSliceOver) QueueDPC(Reschedule); Operating Systems In Depth V 27 Copyright 2018 Thomas W. Doeppner. All rights reserved.

28 Directed Processing Signals: Unix perform given action in context of a particular thread in user mode APC: Windows asynchronous procedure calls roughly same thing, but also may be done in kernel mode Operating Systems In Depth V 28 Copyright 2018 Thomas W. Doeppner. All rights reserved.

29 Asynchronous Procedure Calls Two uses kernel APC: release of kernel resources user APC: notifying a thread of an external event Operating Systems In Depth V 29 Copyright 2018 Thomas W. Doeppner. All rights reserved.

30 Kernel APC Release of kernel resources interrupt handler can t free storage for buffer and control blocks until info passed to process can t be done unless in context of process - otherwise address space not mapped in interrupt handler requests kernel APC to have thread, running in kernel mode, absorb info in buffer and control blocks and then free them Operating Systems In Depth V 30 Copyright 2018 Thomas W. Doeppner. All rights reserved.

31 User APC Notifying thread of external event example: asynchronous I/O - thread supplies completion routine when starting asynchronous I/O request - called in thread s context when I/O completes similar to a Unix signal called only when thread is in alertable wait state an option in certain blocking system calls Operating Systems In Depth V 31 Copyright 2018 Thomas W. Doeppner. All rights reserved.

32 APC Implementation Per-thread list of pending APCs on notification, thread executes them User APC thread in alertable state is woken up and executes pending APCs when it returns to user mode Kernel APC running thread interrupted by APC interrupt (lowest priority interrupt) waiting thread is unwaited execute pending kernel APCs Operating Systems In Depth V 32 Copyright 2018 Thomas W. Doeppner. All rights reserved.

Process & Thread Management II. Queues. Sleep() and Sleep Queues CIS 657

Process & Thread Management II. Queues. Sleep() and Sleep Queues CIS 657 Process & Thread Management II CIS 657 Queues Run queues: hold threads ready to execute Not a single ready queue; 64 queues All threads in same queue are treated as same priority Sleep queues: hold threads

More information

Process & Thread Management II CIS 657

Process & Thread Management II CIS 657 Process & Thread Management II CIS 657 Queues Run queues: hold threads ready to execute Not a single ready queue; 64 queues All threads in same queue are treated as same priority Sleep queues: hold threads

More information

CS 167 Final Exam Solutions

CS 167 Final Exam Solutions CS 167 Final Exam Solutions Spring 2016 Do all questions. 1. The implementation given of thread_switch in class is as follows: void thread_switch() { thread_t NextThread, OldCurrent; } NextThread = dequeue(runqueue);

More information

Windows Interrupts

Windows Interrupts Windows 2000 - Interrupts Ausgewählte Betriebssysteme Institut Betriebssysteme Fakultät Informatik 1 Interrupts Software and Hardware Interrupts and Exceptions Kernel installs interrupt trap handlers Interrupt

More information

CS 167 Final Exam Solutions

CS 167 Final Exam Solutions CS 167 Final Exam Solutions Spring 2017 Do all questions. 1. You are to write a thread_switch procedure, i.e., a procedure that causes the processor to switch from one thread to another. Its general form

More information

Lecture 5: Synchronization w/locks

Lecture 5: Synchronization w/locks Lecture 5: Synchronization w/locks CSE 120: Principles of Operating Systems Alex C. Snoeren Lab 1 Due 10/19 Threads Are Made to Share Global variables and static objects are shared Stored in the static

More information

CSE 451: Operating Systems Winter I/O System. Gary Kimura

CSE 451: Operating Systems Winter I/O System. Gary Kimura CSE 451: Operating Systems Winter 2012 I/O System Gary Kimura What s Ahead Principles of I/O Hardware Structuring of I/O Software Layers of an I/O System Operation of an I/O System 2 Hardware Environment

More information

SE350: Operating Systems. Lecture 3: Concurrency

SE350: Operating Systems. Lecture 3: Concurrency SE350: Operating Systems Lecture 3: Concurrency Main Points Thread abstraction What are threads and what is the thread abstraction? Thread life cycle What states does a thread go through? Thread Implementation

More information

Computation Abstractions. Processes vs. Threads. So, What Is a Thread? CMSC 433 Programming Language Technologies and Paradigms Spring 2007

Computation Abstractions. Processes vs. Threads. So, What Is a Thread? CMSC 433 Programming Language Technologies and Paradigms Spring 2007 CMSC 433 Programming Language Technologies and Paradigms Spring 2007 Threads and Synchronization May 8, 2007 Computation Abstractions t1 t1 t4 t2 t1 t2 t5 t3 p1 p2 p3 p4 CPU 1 CPU 2 A computer Processes

More information

Why use an Operating System? Operating System Definition

Why use an Operating System? Operating System Definition Why use an Operating System? Operating System Definition Provides a set of services to system users (collection of service programs) Shield between the user and the hardware Resource manager: CPU(s) memory

More information

Microkernel Construction

Microkernel Construction Real-Time Scheduling Preemptive Priority-Based Scheduling User assigns each thread a set of scheduling attributes (time quantum, priority) When the current thread s time quantum is exhausted, the kernel

More information

Today s Topics. u Thread implementation. l Non-preemptive versus preemptive threads. l Kernel vs. user threads

Today s Topics. u Thread implementation. l Non-preemptive versus preemptive threads. l Kernel vs. user threads Today s Topics COS 318: Operating Systems Implementing Threads u Thread implementation l Non-preemptive versus preemptive threads l Kernel vs. user threads Jaswinder Pal Singh Computer Science Department

More information

Roadmap for This Lecture

Roadmap for This Lecture Thread Scheduling 1 Roadmap for This Lecture Overview Priorities Scheduling States Scheduling Data Structures Quantum Scheduling Scenarios Priority Adjustments (boosts and decays) Multiprocessor Scheduling

More information

Locks. Dongkun Shin, SKKU

Locks. Dongkun Shin, SKKU Locks 1 Locks: The Basic Idea To implement a critical section A lock variable must be declared A lock variable holds the state of the lock Available (unlocked, free) Acquired (locked, held) Exactly one

More information

Process Scheduling Queues

Process Scheduling Queues Process Control Process Scheduling Queues Job queue set of all processes in the system. Ready queue set of all processes residing in main memory, ready and waiting to execute. Device queues set of processes

More information

Preemptive Scheduling and Mutual Exclusion with Hardware Support

Preemptive Scheduling and Mutual Exclusion with Hardware Support Preemptive Scheduling and Mutual Exclusion with Hardware Support Thomas Plagemann With slides from Otto J. Anshus & Tore Larsen (University of Tromsø) and Kai Li (Princeton University) Preemptive Scheduling

More information

Chapter 6 Process Synchronization

Chapter 6 Process Synchronization Chapter 6 Process Synchronization Cooperating Process process that can affect or be affected by other processes directly share a logical address space (threads) be allowed to share data via files or messages

More information

Lecture 4: Threads; weaving control flow

Lecture 4: Threads; weaving control flow Lecture 4: Threads; weaving control flow CSE 120: Principles of Operating Systems Alex C. Snoeren HW 1 Due NOW Announcements Homework #1 due now Project 0 due tonight Project groups Please send project

More information

Review: Program Execution. Memory program code program data program stack containing procedure activation records

Review: Program Execution. Memory program code program data program stack containing procedure activation records Threads and Concurrency 1 Review: Program Execution Registers program counter, stack pointer,... Memory program code program data program stack containing procedure activation records CPU fetches and executes

More information

KERNEL THREAD IMPLEMENTATION DETAILS. CS124 Operating Systems Winter , Lecture 9

KERNEL THREAD IMPLEMENTATION DETAILS. CS124 Operating Systems Winter , Lecture 9 KERNEL THREAD IMPLEMENTATION DETAILS CS124 Operating Systems Winter 2015-2016, Lecture 9 2 Last Time: Kernel Threads OS kernel must provide a multitasking implementation Kernel threads are the minimal

More information

Lecture 9: Midterm Review

Lecture 9: Midterm Review Project 1 Due at Midnight Lecture 9: Midterm Review CSE 120: Principles of Operating Systems Alex C. Snoeren Midterm Everything we ve covered is fair game Readings, lectures, homework, and Nachos Yes,

More information

CMSC 330: Organization of Programming Languages

CMSC 330: Organization of Programming Languages CMSC 330: Organization of Programming Languages Threads Synchronization Refers to mechanisms allowing a programmer to control the execution order of some operations across different threads in a concurrent

More information

Outline. Process and Thread Management. Data Structures (2) Data Structures. Kernel Process Block (PCB)

Outline. Process and Thread Management. Data Structures (2) Data Structures. Kernel Process Block (PCB) Outline Process and Thread Management Ausgewählte Betriebssysteme Professur Betriebssysteme Fakultät Informatik Data Structures Process Creation Thread Creation Scheduling 2 Data Structures Data Structures

More information

Process and Thread Management

Process and Thread Management Process and Thread Management Ausgewählte Betriebssysteme Professur Betriebssysteme Fakultät Informatik Data Structures Process Creation Thread Creation Scheduling Outline 2 1 Data Structures Process represented

More information

CSE 153 Design of Operating Systems

CSE 153 Design of Operating Systems CSE 153 Design of Operating Systems Winter 2018 Midterm Review Midterm in class on Monday Covers material through scheduling and deadlock Based upon lecture material and modules of the book indicated on

More information

Implementing Threads. Operating Systems In Depth II 1 Copyright 2018 Thomas W. Doeppner. All rights reserved.

Implementing Threads. Operating Systems In Depth II 1 Copyright 2018 Thomas W. Doeppner. All rights reserved. Implementing Threads Operating Systems In Depth II 1 Copyright 2018 Thomas W Doeppner All rights reserved The Unix Address Space stack dynamic bss data text Operating Systems In Depth II 2 Copyright 2018

More information

CSE 120 Principles of Operating Systems

CSE 120 Principles of Operating Systems CSE 120 Principles of Operating Systems Fall 2000 Lecture 5: Threads Geoffrey M. Voelker Processes Recall that a process includes many things An address space (defining all the code and data pages) OS

More information

Today s Topics. u Thread implementation. l Non-preemptive versus preemptive threads. l Kernel vs. user threads

Today s Topics. u Thread implementation. l Non-preemptive versus preemptive threads. l Kernel vs. user threads Today s Topics COS 318: Operating Systems Implementing Threads u Thread implementation l Non-preemptive versus preemptive threads l Kernel vs. user threads Jaswinder Pal Singh and a Fabulous Course Staff

More information

CSE 120 Principles of Operating Systems

CSE 120 Principles of Operating Systems CSE 120 Principles of Operating Systems Fall 2015 Lecture 4: Threads Geoffrey M. Voelker Announcements Project 0 due Project 1 out October 6, 2015 CSE 120 Lecture 4 Threads 2 Processes Recall that a process

More information

Chapter 3 Process Description and Control

Chapter 3 Process Description and Control Operating Systems: Internals and Design Principles Chapter 3 Process Description and Control Seventh Edition By William Stallings Process Control Block Structure of Process Images in Virtual Memory How

More information

SMD149 - Operating Systems

SMD149 - Operating Systems SMD149 - Operating Systems Roland Parviainen November 3, 2005 1 / 45 Outline Overview 2 / 45 Process (tasks) are necessary for concurrency Instance of a program in execution Next invocation of the program

More information

Operating Systems. Lecture 4 - Concurrency and Synchronization. Master of Computer Science PUF - Hồ Chí Minh 2016/2017

Operating Systems. Lecture 4 - Concurrency and Synchronization. Master of Computer Science PUF - Hồ Chí Minh 2016/2017 Operating Systems Lecture 4 - Concurrency and Synchronization Adrien Krähenbühl Master of Computer Science PUF - Hồ Chí Minh 2016/2017 Mutual exclusion Hardware solutions Semaphores IPC: Message passing

More information

High Performance Computing Course Notes Shared Memory Parallel Programming

High Performance Computing Course Notes Shared Memory Parallel Programming High Performance Computing Course Notes 2009-2010 2010 Shared Memory Parallel Programming Techniques Multiprocessing User space multithreading Operating system-supported (or kernel) multithreading Distributed

More information

Chapter 5: Process Synchronization. Operating System Concepts 9 th Edition

Chapter 5: Process Synchronization. Operating System Concepts 9 th Edition Chapter 5: Process Synchronization Silberschatz, Galvin and Gagne 2013 Chapter 5: Process Synchronization Background The Critical-Section Problem Peterson s Solution Synchronization Hardware Mutex Locks

More information

The Kernel Abstraction

The Kernel Abstraction The Kernel Abstraction Debugging as Engineering Much of your time in this course will be spent debugging In industry, 50% of software dev is debugging Even more for kernel development How do you reduce

More information

Threads and Concurrency

Threads and Concurrency Threads and Concurrency 1 Threads and Concurrency key concepts threads, concurrent execution, timesharing, context switch, interrupts, preemption reading Three Easy Pieces: Chapter 26 (Concurrency and

More information

Timers 1 / 46. Jiffies. Potent and Evil Magic

Timers 1 / 46. Jiffies. Potent and Evil Magic Timers 1 / 46 Jiffies Each timer tick, a variable called jiffies is incremented It is thus (roughly) the number of HZ since system boot A 32-bit counter incremented at 1000 Hz wraps around in about 50

More information

Synchronization I. Jo, Heeseung

Synchronization I. Jo, Heeseung Synchronization I Jo, Heeseung Today's Topics Synchronization problem Locks 2 Synchronization Threads cooperate in multithreaded programs To share resources, access shared data structures Also, to coordinate

More information

Course Syllabus. Operating Systems

Course Syllabus. Operating Systems Course Syllabus. Introduction - History; Views; Concepts; Structure 2. Process Management - Processes; State + Resources; Threads; Unix implementation of Processes 3. Scheduling Paradigms; Unix; Modeling

More information

CS 318 Principles of Operating Systems

CS 318 Principles of Operating Systems CS 318 Principles of Operating Systems Fall 2017 Midterm Review Ryan Huang 10/12/17 CS 318 Midterm Review 2 Midterm October 17 th Tuesday 9:00-10:20 am at classroom Covers material before virtual memory

More information

CS 167 Midterm Exam. Two Hours; Closed Book; Please Use a Black Pen March 23, 2017

CS 167 Midterm Exam. Two Hours; Closed Book; Please Use a Black Pen March 23, 2017 CS 167 Midterm Exam Two Hours; Closed Book; Please Use a Black Pen March 23, 2017 Do all questions. 1. A certain operating system has a synchronization construct known as events. Assume there are two operations

More information

Case Study. Windows XP. Windows Operating System Internals - by David A. Solomon and Mark E. Russinovich with Andreas Polze

Case Study. Windows XP. Windows Operating System Internals - by David A. Solomon and Mark E. Russinovich with Andreas Polze Case Study Windows XP Windows Operating System Internals - by David A. Solomon and Mark E. Russinovich with Andreas Polze Background Architecture Windows Operating System Internals - by David A. Solomon

More information

CSE 120 Principles of Computer Operating Systems Fall Quarter, 2002 Halloween Midterm Exam. Instructor: Geoffrey M. Voelker

CSE 120 Principles of Computer Operating Systems Fall Quarter, 2002 Halloween Midterm Exam. Instructor: Geoffrey M. Voelker CSE 120 Principles of Computer Operating Systems Fall Quarter, 2002 Halloween Midterm Exam Instructor: Geoffrey M. Voelker Name Student ID Attention: This exam has six questions worth a total of 70 points.

More information

Concurrent and Distributed Systems Introduction

Concurrent and Distributed Systems Introduction Concurrent and Distributed Systems 8 lectures on concurrency control in centralised systems - interaction of components in main memory - interactions involving main memory and persistent storage (concurrency

More information

Interrupts and Time. Real-Time Systems, Lecture 5. Martina Maggio 28 January Lund University, Department of Automatic Control

Interrupts and Time. Real-Time Systems, Lecture 5. Martina Maggio 28 January Lund University, Department of Automatic Control Interrupts and Time Real-Time Systems, Lecture 5 Martina Maggio 28 January 2016 Lund University, Department of Automatic Control Content [Real-Time Control System: Chapter 5] 1. Interrupts 2. Clock Interrupts

More information

Devsummit Concurrency Hacks

Devsummit Concurrency Hacks Devsummit Concurrency Hacks Taylor Riastradh Campbell campbell@mumble.net riastradh@netbsd.org EuroBSDcon 2015 Stockholm, Sweden October 2, 2015 Concurrency hacks Works in progress not even compile-tested.

More information

Interrupts and Time. Interrupts. Content. Real-Time Systems, Lecture 5. External Communication. Interrupts. Interrupts

Interrupts and Time. Interrupts. Content. Real-Time Systems, Lecture 5. External Communication. Interrupts. Interrupts Content Interrupts and Time Real-Time Systems, Lecture 5 [Real-Time Control System: Chapter 5] 1. Interrupts 2. Clock Interrupts Martina Maggio 25 January 2017 Lund University, Department of Automatic

More information

CSE 120 Principles of Operating Systems

CSE 120 Principles of Operating Systems CSE 120 Principles of Operating Systems Spring 2009 Lecture 4: Threads Geoffrey M. Voelker Announcements Homework #1 due now Project 0 due tonight Project 1 out April 9, 2009 CSE 120 Lecture 4 Threads

More information

CSE 153 Design of Operating Systems Fall 2018

CSE 153 Design of Operating Systems Fall 2018 CSE 153 Design of Operating Systems Fall 2018 Lecture 5: Threads/Synchronization Implementing threads l Kernel Level Threads l u u All thread operations are implemented in the kernel The OS schedules all

More information

CS 318 Principles of Operating Systems

CS 318 Principles of Operating Systems CS 318 Principles of Operating Systems Fall 2017 Lecture 5: Thread Ryan Huang Administrivia HW1 solution released on Piazza resources Lab 0 grading - In progress - Cheating policy Lab 1 review session

More information

Threads, Synchronization, and Scheduling. Eric Wu

Threads, Synchronization, and Scheduling. Eric Wu Threads, Synchronization, and Scheduling Eric Wu (ericwu@cs) Topics for Today Project 2 Due tomorrow! Project 3 Due Feb. 17 th! Threads Synchronization Scheduling Project 2 Troubleshooting: Stock kernel

More information

Intro to Threads. Two approaches to concurrency. Threaded multifinger: - Asynchronous I/O (lab) - Threads (today s lecture)

Intro to Threads. Two approaches to concurrency. Threaded multifinger: - Asynchronous I/O (lab) - Threads (today s lecture) Intro to Threads Two approaches to concurrency - Asynchronous I/O (lab) - Threads (today s lecture) Threaded multifinger: - Run many copies of finger simultaneously for (int i = 1; i < argc; i++) thread_create

More information

CS 33. Architecture and the OS. CS33 Intro to Computer Systems XIX 1 Copyright 2017 Thomas W. Doeppner. All rights reserved.

CS 33. Architecture and the OS. CS33 Intro to Computer Systems XIX 1 Copyright 2017 Thomas W. Doeppner. All rights reserved. CS 33 Architecture and the OS CS33 Intro to Computer Systems XIX 1 Copyright 2017 Thomas W. Doeppner. All rights reserved. The Operating System My Program Mary s Program Bob s Program OS CS33 Intro to

More information

Deviations are things that modify a thread s normal flow of control. Unix has long had signals, and these must be dealt with in multithreaded

Deviations are things that modify a thread s normal flow of control. Unix has long had signals, and these must be dealt with in multithreaded Deviations are things that modify a thread s normal flow of control. Unix has long had signals, and these must be dealt with in multithreaded improvements to Unix. There are actually two fairly different

More information

CSCE Introduction to Computer Systems Spring 2019

CSCE Introduction to Computer Systems Spring 2019 CSCE 313-200 Introduction to Computer Systems Spring 2019 Processes Dmitri Loguinov Texas A&M University January 24, 2019 1 Chapter 3: Roadmap 3.1 What is a process? 3.2 Process states 3.3 Process description

More information

Problem Set 2. CS347: Operating Systems

Problem Set 2. CS347: Operating Systems CS347: Operating Systems Problem Set 2 1. Consider a clinic with one doctor and a very large waiting room (of infinite capacity). Any patient entering the clinic will wait in the waiting room until the

More information

CS 318 Principles of Operating Systems

CS 318 Principles of Operating Systems CS 318 Principles of Operating Systems Fall 2018 Lecture 5: Thread Ryan Huang Slides adapted from Geoff Voelker s and David Mazières lectures Administrivia Lab 0 grading in progress Lab 1 review session

More information

Scheduling - Overview

Scheduling - Overview Scheduling - Overview Quick review of textbook scheduling Linux 2.4 scheduler implementation overview Linux 2.4 scheduler code Modified Linux 2.4 scheduler Linux 2.6 scheduler comments Possible Goals of

More information

Synchronization I. Jin-Soo Kim Computer Systems Laboratory Sungkyunkwan University

Synchronization I. Jin-Soo Kim Computer Systems Laboratory Sungkyunkwan University Synchronization I Jin-Soo Kim (jinsookim@skku.edu) Computer Systems Laboratory Sungkyunkwan University http://csl.skku.edu Today s Topics Synchronization problem Locks 2 Synchronization Threads cooperate

More information

Work Stealing. in Multiprogrammed Environments. Brice Dobry Dept. of Computer & Information Sciences University of Delaware

Work Stealing. in Multiprogrammed Environments. Brice Dobry Dept. of Computer & Information Sciences University of Delaware Work Stealing in Multiprogrammed Environments Brice Dobry Dept. of Computer & Information Sciences University of Delaware Outline Motivate the issue Describe work-stealing in general Explain the new algorithm

More information

CMSC421: Principles of Operating Systems

CMSC421: Principles of Operating Systems CMSC421: Principles of Operating Systems Nilanjan Banerjee Assistant Professor, University of Maryland Baltimore County nilanb@umbc.edu http://www.csee.umbc.edu/~nilanb/teaching/421/ Principles of Operating

More information

Yielding, General Switching. November Winter Term 2008/2009 Gerd Liefländer Universität Karlsruhe (TH), System Architecture Group

Yielding, General Switching. November Winter Term 2008/2009 Gerd Liefländer Universität Karlsruhe (TH), System Architecture Group System Architecture 6 Switching Yielding, General Switching November 10 2008 Winter Term 2008/2009 Gerd Liefländer 1 Agenda Review & Motivation Switching Mechanisms Cooperative PULT Scheduling + Switch

More information

Lesson 6: Process Synchronization

Lesson 6: Process Synchronization Lesson 6: Process Synchronization Chapter 5: Process Synchronization Background The Critical-Section Problem Peterson s Solution Synchronization Hardware Mutex Locks Semaphores Classic Problems of Synchronization

More information

CSE 120 Principles of Operating Systems

CSE 120 Principles of Operating Systems CSE 120 Principles of Operating Systems Fall 2016 Lecture 2: Architectural Support for Operating Systems Geoffrey M. Voelker Administrivia Project 0 Due 10/4, done individually Homework #1 Due 10/6 Project

More information

CS 153 Design of Operating Systems Winter 2016

CS 153 Design of Operating Systems Winter 2016 CS 153 Design of Operating Systems Winter 2016 Lecture 6: Threads Recap: Process Components Per- Process State Per- Thread State A process is named using its process ID (PID) A process contains all of

More information

EI 338: Computer Systems Engineering (Operating Systems & Computer Architecture)

EI 338: Computer Systems Engineering (Operating Systems & Computer Architecture) EI 338: Computer Systems Engineering (Operating Systems & Computer Architecture) Dept. of Computer Science & Engineering Chentao Wu wuct@cs.sjtu.edu.cn Download lectures ftp://public.sjtu.edu.cn User:

More information

Project Uthreads. Due: February 7, This assignment must be completed by all 167 students (including those who are registered for 169).

Project Uthreads. Due: February 7, This assignment must be completed by all 167 students (including those who are registered for 169). CS 167 Operating Systems Doeppner Project Uthreads Due: February 7, 2018 This assignment must be completed by all 167 students (including those who are registered for 169). Contents 1 Introduction 1 2

More information

Chapter 6: Process Synchronization

Chapter 6: Process Synchronization Module 6: Process Synchronization Chapter 6: Process Synchronization Background! The Critical-Section Problem! Peterson s Solution! Synchronization Hardware! Semaphores! Classic Problems of Synchronization!

More information

Memory Protection. Machines and Virtualization. Architectural Foundations of OS Kernels. Memory and the CPU. Introduction to Virtual Addressing

Memory Protection. Machines and Virtualization. Architectural Foundations of OS Kernels. Memory and the CPU. Introduction to Virtual Addressing Memory Protection Machines and Virtualization Systems and Networks Jeff Chase Spring 26 Paging Virtual provides protection by: Each process (user or OS) has different. The OS maintain the page tables for

More information

CS 33. Architecture and the OS. CS33 Intro to Computer Systems XIX 1 Copyright 2018 Thomas W. Doeppner. All rights reserved.

CS 33. Architecture and the OS. CS33 Intro to Computer Systems XIX 1 Copyright 2018 Thomas W. Doeppner. All rights reserved. CS 33 Architecture and the OS CS33 Intro to Computer Systems XIX 1 Copyright 2018 Thomas W. Doeppner. All rights reserved. The Operating System My Program Mary s Program Bob s Program OS CS33 Intro to

More information

CSE 451: Operating Systems Winter Lecture 7 Synchronization. Steve Gribble. Synchronization. Threads cooperate in multithreaded programs

CSE 451: Operating Systems Winter Lecture 7 Synchronization. Steve Gribble. Synchronization. Threads cooperate in multithreaded programs CSE 451: Operating Systems Winter 2005 Lecture 7 Synchronization Steve Gribble Synchronization Threads cooperate in multithreaded programs to share resources, access shared data structures e.g., threads

More information

System Building. Events, Co-routines, Continuations and Threads - OS (and application) Execution Models. Event Model. Events

System Building. Events, Co-routines, Continuations and Threads - OS (and application) Execution Models. Event Model. Events s, o-routines, ontinuations and Threads - OS (and application) Execution Models System uilding General purpose systems need to deal with Many activities potentially overlapping may be interdependent ctivities

More information

CSE 120 Principles of Operating Systems

CSE 120 Principles of Operating Systems CSE 120 Principles of Operating Systems Spring 2018 Lecture 2: Architectural Support for Operating Systems Geoffrey M. Voelker Administrivia Project 0 Due 4/9 11:59pm, done individually Homework #1 Due

More information

I/O Management Software. Chapter 5

I/O Management Software. Chapter 5 I/O Management Software Chapter 5 1 Learning Outcomes An understanding of the structure of I/O related software, including interrupt handers. An appreciation of the issues surrounding long running interrupt

More information

CS 333 Introduction to Operating Systems. Class 3 Threads & Concurrency. Jonathan Walpole Computer Science Portland State University

CS 333 Introduction to Operating Systems. Class 3 Threads & Concurrency. Jonathan Walpole Computer Science Portland State University CS 333 Introduction to Operating Systems Class 3 Threads & Concurrency Jonathan Walpole Computer Science Portland State University 1 The Process Concept 2 The Process Concept Process a program in execution

More information

Chapter 6: Process Synchronization

Chapter 6: Process Synchronization Chapter 6: Process Synchronization Chapter 6: Process Synchronization Background The Critical-Section Problem Peterson s Solution Synchronization Hardware Mutex Locks Semaphores Classic Problems of Synchronization

More information

Machines and Virtualization. Systems and Networks Jeff Chase Spring 2006

Machines and Virtualization. Systems and Networks Jeff Chase Spring 2006 Machines and Virtualization Systems and Networks Jeff Chase Spring 2006 Memory Protection Paging Virtual memory provides protection by: Each process (user or OS) has different virtual memory space. The

More information

Multitasking Multitasking allows several activities to occur concurrently on the computer. A distinction is usually made between: Process-based multit

Multitasking Multitasking allows several activities to occur concurrently on the computer. A distinction is usually made between: Process-based multit Threads Multitasking Multitasking allows several activities to occur concurrently on the computer. A distinction is usually made between: Process-based multitasking Thread-based multitasking Multitasking

More information

CMSC 132: Object-Oriented Programming II. Threads in Java

CMSC 132: Object-Oriented Programming II. Threads in Java CMSC 132: Object-Oriented Programming II Threads in Java 1 Problem Multiple tasks for computer Draw & display images on screen Check keyboard & mouse input Send & receive data on network Read & write files

More information

CS510 Operating System Foundations. Jonathan Walpole

CS510 Operating System Foundations. Jonathan Walpole CS510 Operating System Foundations Jonathan Walpole The Process Concept 2 The Process Concept Process a program in execution Program - description of how to perform an activity instructions and static

More information

Utilizing Linux Kernel Components in K42 K42 Team modified October 2001

Utilizing Linux Kernel Components in K42 K42 Team modified October 2001 K42 Team modified October 2001 This paper discusses how K42 uses Linux-kernel components to support a wide range of hardware, a full-featured TCP/IP stack and Linux file-systems. An examination of the

More information

More on Synchronization and Deadlock

More on Synchronization and Deadlock Examples of OS Kernel Synchronization More on Synchronization and Deadlock Two processes making system calls to read/write on the same file, leading to possible race condition on the file system data structures

More information

Semaphore. Originally called P() and V() wait (S) { while S <= 0 ; // no-op S--; } signal (S) { S++; }

Semaphore. Originally called P() and V() wait (S) { while S <= 0 ; // no-op S--; } signal (S) { S++; } Semaphore Semaphore S integer variable Two standard operations modify S: wait() and signal() Originally called P() and V() Can only be accessed via two indivisible (atomic) operations wait (S) { while

More information

Multiprocessor Systems. COMP s1

Multiprocessor Systems. COMP s1 Multiprocessor Systems 1 Multiprocessor System We will look at shared-memory multiprocessors More than one processor sharing the same memory A single CPU can only go so fast Use more than one CPU to improve

More information

Lecture 3: Concurrency & Tasking

Lecture 3: Concurrency & Tasking Lecture 3: Concurrency & Tasking 1 Real time systems interact asynchronously with external entities and must cope with multiple threads of control and react to events - the executing programs need to share

More information

Real Time Linux patches: history and usage

Real Time Linux patches: history and usage Real Time Linux patches: history and usage Presentation first given at: FOSDEM 2006 Embedded Development Room See www.fosdem.org Klaas van Gend Field Application Engineer for Europe Why Linux in Real-Time

More information

Context Switching and Scheduling in C--

Context Switching and Scheduling in C-- Context Switching and Scheduling in C-- Shawn Hsiao Olushola Olateju May 11, 2000 Abstract We present a framework for preemptive threads in C--. We describe the front- and back-end runtime system support

More information

Lecture 5: Concurrency and Threads

Lecture 5: Concurrency and Threads CS 422/522 Design & Implementation of Operating Systems Lecture 5: Concurrency and Threads Zhong Shao Dept of Computer Science Yale University Acknowledgement: some slides are taken from previous versions

More information

CS 471 Operating Systems. Yue Cheng. George Mason University Fall 2017

CS 471 Operating Systems. Yue Cheng. George Mason University Fall 2017 CS 471 Operating Systems Yue Cheng George Mason University Fall 2017 Outline o Process concept o Process creation o Process states and scheduling o Preemption and context switch o Inter-process communication

More information

Process Coordination and Shared Data

Process Coordination and Shared Data Process Coordination and Shared Data Lecture 19 In These Notes... Sharing data safely When multiple threads/processes interact in a system, new species of bugs arise 1. Compiler tries to save time by not

More information

Mutex Implementation

Mutex Implementation COS 318: Operating Systems Mutex Implementation Jaswinder Pal Singh Computer Science Department Princeton University (http://www.cs.princeton.edu/courses/cos318/) Revisit Mutual Exclusion (Mutex) u Critical

More information

Chapter 6: Process Synchronization

Chapter 6: Process Synchronization Chapter 6: Process Synchronization Objectives Introduce Concept of Critical-Section Problem Hardware and Software Solutions of Critical-Section Problem Concept of Atomic Transaction Operating Systems CS

More information

Deadlock. Concurrency: Deadlock and Starvation. Reusable Resources

Deadlock. Concurrency: Deadlock and Starvation. Reusable Resources Concurrency: Deadlock and Starvation Chapter 6 Deadlock Permanent blocking of a set of processes that either compete for system resources or communicate with each other No efficient solution Involve conflicting

More information

CSE 4/521 Introduction to Operating Systems

CSE 4/521 Introduction to Operating Systems CSE 4/521 Introduction to Operating Systems Lecture 7 Process Synchronization II (Classic Problems of Synchronization, Synchronization Examples) Summer 2018 Overview Objective: 1. To examine several classical

More information

CS A331 Programming Language Concepts

CS A331 Programming Language Concepts CS A331 Programming Language Concepts Lecture 12 Alternative Language Examples (General Concurrency Issues and Concepts) March 30, 2014 Sam Siewert Major Concepts Concurrent Processing Processes, Tasks,

More information

EECS 482 Introduction to Operating Systems

EECS 482 Introduction to Operating Systems EECS 482 Introduction to Operating Systems Winter 2018 Harsha V. Madhyastha Monitors vs. Semaphores Monitors: Custom user-defined conditions Developer must control access to variables Semaphores: Access

More information

JAVA and J2EE UNIT - 4 Multithreaded Programming And Event Handling

JAVA and J2EE UNIT - 4 Multithreaded Programming And Event Handling JAVA and J2EE UNIT - 4 Multithreaded Programming And Event Handling Multithreaded Programming Topics Multi Threaded Programming What are threads? How to make the classes threadable; Extending threads;

More information

CSE 451: Operating Systems Winter Lecture 7 Synchronization. Hank Levy 412 Sieg Hall

CSE 451: Operating Systems Winter Lecture 7 Synchronization. Hank Levy 412 Sieg Hall CSE 451: Operating Systems Winter 2003 Lecture 7 Synchronization Hank Levy Levy@cs.washington.edu 412 Sieg Hall Synchronization Threads cooperate in multithreaded programs to share resources, access shared

More information

Linux Synchronization Mechanisms in Driver Development. Dr. B. Thangaraju & S. Parimala

Linux Synchronization Mechanisms in Driver Development. Dr. B. Thangaraju & S. Parimala Linux Synchronization Mechanisms in Driver Development Dr. B. Thangaraju & S. Parimala Agenda Sources of race conditions ~ 11,000+ critical regions in 2.6 kernel Locking mechanisms in driver development

More information

Review: Thread package API

Review: Thread package API 1/51 Review: Thread package API tid create (void (*fn) (void *), void *arg); - Create a new thread, runfn witharg void exit (); void join (tid thread); The execution of multiple threads is interleaved

More information