Linux Scheduler. Linux Scheduler
|
|
|
- Emmeline Benson
- 10 years ago
- Views:
Transcription
1 or or Affinity Basic Interactive es 1 / 40
2 Reality... or or Affinity Basic Interactive es The Linux scheduler tries to be very efficient To do that, it uses some complex data structures Some of what it does actually contradicts the schemes we ve been discussing... 2 / 40
3 or or Affinity Basic Interactive es Use large quanta for important processes Modify quanta based on CPU use Bind processes to CPUs Do everything in O(1) time 3 / 40
4 or or or Affinity Basic Interactive es Have a separate run queue for each processor Each processor only selects processes from its own queue to run Yes, it s possible for one processor to be idle while others have jobs waiting in their run queues Periodically, the queues are rebalanced: if one processor s run queue is too long, some processes are moved from it to another processor s queue 4 / 40
5 or Affinity or or Affinity Basic Interactive es Each process has a bitmask saying what CPUs it can run on Normally, of course, all CPUs are listed es can change the mask The mask is inherited by child processes (and threads), thus tending to keep them on the same CPU Rebalancing does not override affinity 5 / 40
6 Basic or or Affinity Basic Interactive es Find the highest-priority queue with a runnable process Find the first process on that queue Calculate its quantum size Let it run When its time is up, put it on the expired list Repeat 6 / 40
7 or or Affinity Basic Interactive es 140 separate queues, one for each priority level Actually, that number can be changed at a given site Actually, two sets, active and expired Priorities 0-99 for real-time processes Priorities for normal processes; value set via nice() system call 7 / 40
8 or or Affinity Basic Interactive es There is a bit map indicating which queues have processes that are ready to run Find the first bit that s set: 140 queues 5 integers Only a few compares to find the first that is non-zero Hardware instruction to find the first 1-bit Time depends on the number of priority levels, not the number of processes 8 / 40
9 or or Affinity Basic Interactive es Calculate Quantum = (140 SP) 20 if SP < 120 (140 SP) 5 if SP 120 where SP is the static priority Higher priority process get longer quanta Basic idea: important processes should run longer Other mechanisms used for quick interactive response 9 / 40
10 or or Affinity Basic Interactive es Static Pri Niceness Quantum Highest Static Pri ms High Static Pri ms Normal ms Low Static Pri ms Lowest Static Pri ms 10 / 40
11 or or Affinity Basic Interactive es Dynamic priority is calculated from static priority and average sleep time When process wakes up, record how long it was sleeping, up to some maximum value When the process is running, decrease that value each timer tick Roughly speaking, the bonus is a number in [0, 10] that measures what percentage of the time the process was sleeping recently; 5 is neutral, 10 helps priority by 5, 0 hurts priority by 5 DP = max(100, min(sp bonus + 5, 139)) 11 / 40
12 Interactive es or or Affinity Basic Interactive es A process is interactive if bonus 5 S/4 28 Low-priority processes have a hard time becoming interactive A default priority process becomes interactive when its sleep time is greater than 700 ms 12 / 40
13 or or Affinity Basic Interactive es At every time tick, decrease the quantum of the current running process If the time goes to zero, the process is done If the process is non-interactive, put it aside on the expired list If the process is interactive, put it at the end of the current priority queue If there s nothing else at that priority, it will run again immediately Of course, by running so much is bonus will go down, and so will its priority and its interative status 13 / 40
14 or or Affinity Basic Interactive es There are two sets of 140 queues, active and expired The system only runs processes from active queues, and puts them on expired queues when they use up their quanta When a priority level of the active queue is empty, the scheduler looks for the next-highest priority queue After running all of the active queues, the active and expired queues are swapped There are pointers to the current arrays; at the end of a cycle, the pointers are switched 14 / 40
15 or or Affinity Basic Interactive es struct runqueue { struct prioarray *active; struct prioarray *expired; struct prioarray arrays[2]; }; struct prioarray { int nr_active; /* # Runnable */ unsigned long bitmap[5]; struct list_head queue[140]; }; 15 / 40
16 or or Affinity Basic Interactive es struct prioarray *array = rq->active; if (array->nr_active == 0) { rq->active = rq->expired; rq->expired = array; } 16 / 40
17 or or Affinity Basic Interactive es Why is it done this way? It avoids the need for traditional aging Why is aging bad? It s O(n) at each clock tick 17 / 40
18 or or Affinity Basic Interactive es for(pp = proc; pp < proc+nproc; pp++) { if (pp->prio!= MAX) pp->prio++; if (pp->prio > curproc->prio) reschedule(); } Every process is examined, quite frequently (This code is taken almost verbatim from 6th Edition Unix, circa 1976.) 18 / 40
19 or or Affinity Basic Interactive es es are touched only when they start or stop running That s when we recalculate priorities, bonuses, quanta, and interactive status There are no loops over all processes or even over all runnableprocesses 19 / 40
20 or or Affinity Basic Interactive es To rebalance, the kernel sometimes needs to move processes from one runqueue to another This is actually done by special kernel threads Naturally, the runqueue must be locked before this happens The kernel always locks runqueues in order of increasing address Why? Deadlock prevention! (It is good for something / 40
21 or or Affinity Basic Interactive es Linux has soft real-time scheduling es with priorities [0, 99] are real-time All real-time processes are higher priority than any conventional processes Two real-time scheduling systems, FCFS and round-robin First-come, first-served: process is only preempted for a higher-priority process; no time quanta Round-robin: real-time processes at a given level take turns running for their time quantum 21 / 40
22 Sleeping Waking Up a Scheduler-Related System Calls Major Kernel Functions Fair Share Timers 22 / 40
23 Sleeping Waking Up a Scheduler-Related System Calls Major Kernel Functions Fair Share Timers es need to wait for events Waiting is done by putting the process on a wait queue Wakeups can happen too soon; the process must check its condition and perhaps go back to sleep 23 / 40
24 Sleeping Sleeping Waking Up a Scheduler-Related System Calls Major Kernel Functions Fair Share Timers DECLARE_WAIT_QUEUE(wait, current); /* Sleep on queue q */ add_wait_queue(q, &wait); while (!condition) { set_current_state(task_interruptible); if (signal_pending(current)) /* handle signal */ schedule(); } set_current_state(task_running); remove_wait_queue(q, &wait); 24 / 40
25 Waking Up a Sleeping Waking Up a Scheduler-Related System Calls Major Kernel Functions Fair Share Timers You don t wake a process, you wake a wait queue There may be multiple processes waiting for the event, i.e., several processes trying to read a single disk block The condition may not, in fact, have been satisfied That s why the sleep routine has a loop 25 / 40
26 Scheduler-Related System Calls Sleeping Waking Up a Scheduler-Related System Calls Major Kernel Functions Fair Share Timers nice() Lower a process static priority getpriority()/setpriority() Change priorities of a process group sched getscheduler()/sched setscheduler() Set scheduling policy and parameters. (Many more starting with sched ; use man -k to learn their names.) 26 / 40
27 Major Kernel Functions Sleeping Waking Up a Scheduler-Related System Calls Major Kernel Functions Fair Share Timers scheduler tick() Called each timer tick to update quanta try to wakeup() Attempts to wake a process, put in on a run queue, rebalance loads, etc. recalc task prio() update average sleep time an dynamic priority schedule() Pick the next process to run rebalance tick() Check if load-banlancing is needed 27 / 40
28 Fair Share Sleeping Waking Up a Scheduler-Related System Calls Major Kernel Functions Fair Share Timers Suppose we wanted to add a fair share scheduler to Linux What should be done? Add a new scheduler type for sched setscheduler() Calculate process priority, interactivity, bonus, etc., based on all processes owned by that user How can that be done efficiently? What sorts of new data structures are needed? 28 / 40
29 Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls Timers 29 / 40
30 Why Does the Kernel Need Timers? Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls Animated applications Screen-savers Time of day for file timestamps Quanta! 30 / 40
31 Two Basic Functions Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls Time of day (especially as a service to applications) Interval timers something should happen n ms from now 31 / 40
32 Timer Types Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls Clock: tracks time and date, even if the computer is off; can interrupt at a certain rate or at a certain time. Use by Linux only at boot time to get time of day Time Stamp Counter: ticks once per CPU clock; provides very accurate interval timing Programmable Interval Timer: generates periodic interrupts. On Linux, the rate, called HZ, is usually 1000 Hz (100 Hz on slow CPUs) A variety of special, less common (and less used) timers 32 / 40
33 Timer Ticks Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls Linux programs a timer to interrupt at a certain rate Each tick, a number of operations are carried out Three most important Keeping track of time Invoking dynamic timer routines Calling scheduler tick() The system uses the best timer available 33 / 40
34 Jiffies Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls 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 days We need 64 bits but there s a problem 34 / 40
35 Potent and Evil Magic Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls A 64-bit value cannot be accessed atomically on a 32-bit machine A spin-lock is used to synchronize access to jiffies 64; kernel routines call get jiffies 64() But we don t want to have to increment two variables each tick Linker magic is used to make jiffies the low-order 32 bits of jiffies 64 Ugly! 35 / 40
36 Time of Day Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls The time of day is stored in xtime, which is a struct timespec It s incremented once per tick Again, a spin-lock is used to synchronize access to it The apparent tick rate can be adjusted slightly, via the adjtimex() system call 36 / 40
37 Kernel Timers Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls Two types of timers use by kernel routines Dynamic timer call some routine after a particular interval Delay loops tight spin loops for very short delays User-mode interval timers are similar to kernel dynamic timers 37 / 40
38 Dynamic Timers Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls Specify an interval, a subroutine to call, and a parameter to pass to that subroutine Parameter used to differentiate different instantiations of the same timer if you have 4 Ethernet cards creating dynamic timers, the parameter is typically the address of the per-card data structure Timers can be cancelled; there is (as usual) a delicate synchronization dance on multiprocessors. See the text for details 38 / 40
39 Delay Functions Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls Spin in a tight loop for a short time microseconds or nanoseconds Nothing else can use that CPU during that time, except via interrupt Used only when the overhead of creating a dynamic timer is too great for a very short delay 39 / 40
40 System Calls Timers Why Does the Kernel Need Timers? Two Basic Functions Timer Types Timer Ticks Jiffies Potent and Evil Magic Time of Day Kernel Timers Dynamic Timers Delay Functions System Calls time() and gettimeofday() adjtimex() tweaks apparent clock rate (even the best crystals drift; see the Remote Physical Device Fingerprinting paper from my COMS E6184 class setitimer() and alarm() interval timers for applications 40 / 40
Linux scheduler history. We will be talking about the O(1) scheduler
CPU Scheduling Linux scheduler history We will be talking about the O(1) scheduler SMP Support in 2.4 and 2.6 versions 2.4 Kernel 2.6 Kernel CPU1 CPU2 CPU3 CPU1 CPU2 CPU3 Linux Scheduling 3 scheduling
W4118 Operating Systems. Instructor: Junfeng Yang
W4118 Operating Systems Instructor: Junfeng Yang Outline Advanced scheduling issues Multilevel queue scheduling Multiprocessor scheduling issues Real-time scheduling Scheduling in Linux Scheduling algorithm
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
Process Scheduling II
Process Scheduling II COMS W4118 Prof. Kaustubh R. Joshi [email protected] hdp://www.cs.columbia.edu/~krj/os References: OperaWng Systems Concepts (9e), Linux Kernel Development, previous W4118s Copyright
Real-Time Scheduling 1 / 39
Real-Time Scheduling 1 / 39 Multiple Real-Time Processes A runs every 30 msec; each time it needs 10 msec of CPU time B runs 25 times/sec for 15 msec C runs 20 times/sec for 5 msec For our equation, A
Scheduling policy. ULK3e 7.1. Operating Systems: Scheduling in Linux p. 1
Scheduling policy ULK3e 7.1 Goals fast process response time good throughput for background jobs avoidance of process starvation reconciliation of needs of low- and high-priority processes Operating Systems:
ò Paper reading assigned for next Thursday ò Lab 2 due next Friday ò What is cooperative multitasking? ò What is preemptive multitasking?
Housekeeping Paper reading assigned for next Thursday Scheduling Lab 2 due next Friday Don Porter CSE 506 Lecture goals Undergrad review Understand low-level building blocks of a scheduler Understand competing
Linux O(1) CPU Scheduler. Amit Gud amit (dot) gud (at) veritas (dot) com http://amitgud.tk
Linux O(1) CPU Scheduler Amit Gud amit (dot) gud (at) veritas (dot) com http://amitgud.tk April 27, 2005 Agenda CPU scheduler basics CPU scheduler algorithms overview Linux CPU scheduler goals What is
Operating Systems Concepts: Chapter 7: Scheduling Strategies
Operating Systems Concepts: Chapter 7: Scheduling Strategies Olav Beckmann Huxley 449 http://www.doc.ic.ac.uk/~ob3 Acknowledgements: There are lots. See end of Chapter 1. Home Page for the course: http://www.doc.ic.ac.uk/~ob3/teaching/operatingsystemsconcepts/
Project No. 2: Process Scheduling in Linux Submission due: April 28, 2014, 11:59pm
Project No. 2: Process Scheduling in Linux Submission due: April 28, 2014, 11:59pm PURPOSE Getting familiar with the Linux kernel source code. Understanding process scheduling and how different parameters
Scheduling. Scheduling. Scheduling levels. Decision to switch the running process can take place under the following circumstances:
Scheduling Scheduling Scheduling levels Long-term scheduling. Selects which jobs shall be allowed to enter the system. Only used in batch systems. Medium-term scheduling. Performs swapin-swapout operations
Completely Fair Scheduler and its tuning 1
Completely Fair Scheduler and its tuning 1 Jacek Kobus and Rafał Szklarski 1 Introduction The introduction of a new, the so called completely fair scheduler (CFS) to the Linux kernel 2.6.23 (October 2007)
An Implementation Of Multiprocessor Linux
An Implementation Of Multiprocessor Linux This document describes the implementation of a simple SMP Linux kernel extension and how to use this to develop SMP Linux kernels for architectures other than
Chapter 5 Linux Load Balancing Mechanisms
Chapter 5 Linux Load Balancing Mechanisms Load balancing mechanisms in multiprocessor systems have two compatible objectives. One is to prevent processors from being idle while others processors still
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
Scheduling. Yücel Saygın. These slides are based on your text book and on the slides prepared by Andrew S. Tanenbaum
Scheduling Yücel Saygın These slides are based on your text book and on the slides prepared by Andrew S. Tanenbaum 1 Scheduling Introduction to Scheduling (1) Bursts of CPU usage alternate with periods
Comp 204: Computer Systems and Their Implementation. Lecture 12: Scheduling Algorithms cont d
Comp 204: Computer Systems and Their Implementation Lecture 12: Scheduling Algorithms cont d 1 Today Scheduling continued Multilevel queues Examples Thread scheduling 2 Question A starvation-free job-scheduling
Operating Systems. III. Scheduling. http://soc.eurecom.fr/os/
Operating Systems Institut Mines-Telecom III. Scheduling Ludovic Apvrille [email protected] Eurecom, office 470 http://soc.eurecom.fr/os/ Outline Basics of Scheduling Definitions Switching
10.04.2008. Thomas Fahrig Senior Developer Hypervisor Team. Hypervisor Architecture Terminology Goals Basics Details
Thomas Fahrig Senior Developer Hypervisor Team Hypervisor Architecture Terminology Goals Basics Details Scheduling Interval External Interrupt Handling Reserves, Weights and Caps Context Switch Waiting
Readings for this topic: Silberschatz/Galvin/Gagne Chapter 5
77 16 CPU Scheduling Readings for this topic: Silberschatz/Galvin/Gagne Chapter 5 Until now you have heard about processes and memory. From now on you ll hear about resources, the things operated upon
Linux Process Scheduling Policy
Lecture Overview Introduction to Linux process scheduling Policy versus algorithm Linux overall process scheduling objectives Timesharing Dynamic priority Favor I/O-bound process Linux scheduling algorithm
CPU Scheduling. Basic Concepts. Basic Concepts (2) Basic Concepts Scheduling Criteria Scheduling Algorithms Batch systems Interactive systems
Basic Concepts Scheduling Criteria Scheduling Algorithms Batch systems Interactive systems Based on original slides by Silberschatz, Galvin and Gagne 1 Basic Concepts CPU I/O Burst Cycle Process execution
Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY. 6.828 Operating System Engineering: Fall 2005
Department of Electrical Engineering and Computer Science MASSACHUSETTS INSTITUTE OF TECHNOLOGY 6.828 Operating System Engineering: Fall 2005 Quiz II Solutions Average 84, median 83, standard deviation
CPU Scheduling Outline
CPU Scheduling Outline What is scheduling in the OS? What are common scheduling criteria? How to evaluate scheduling algorithms? What are common scheduling algorithms? How is thread scheduling different
Overview of the Linux Scheduler Framework
Overview of the Linux Scheduler Framework WORKSHOP ON REAL-TIME SCHEDULING IN THE LINUX KERNEL Pisa, June 27th, 2014 Marco Cesati University of Rome Tor Vergata Marco Cesati (Univ. of Rome Tor Vergata)
Linux Load Balancing
Linux Load Balancing Hyunmin Yoon 2 Load Balancing Linux scheduler attempts to evenly distribute load across CPUs Load of CPU (run queue): sum of task weights Load balancing is triggered by Timer interrupts
Scheduling 0 : Levels. High level scheduling: Medium level scheduling: Low level scheduling
Scheduling 0 : Levels High level scheduling: Deciding whether another process can run is process table full? user process limit reached? load to swap space or memory? Medium level scheduling: Balancing
White Paper Perceived Performance Tuning a system for what really matters
TMurgent Technologies White Paper Perceived Performance Tuning a system for what really matters September 18, 2003 White Paper: Perceived Performance 1/7 TMurgent Technologies Introduction The purpose
CPU Scheduling. CSC 256/456 - Operating Systems Fall 2014. TA: Mohammad Hedayati
CPU Scheduling CSC 256/456 - Operating Systems Fall 2014 TA: Mohammad Hedayati Agenda Scheduling Policy Criteria Scheduling Policy Options (on Uniprocessor) Multiprocessor scheduling considerations CPU
Chapter 5 Process Scheduling
Chapter 5 Process Scheduling CPU Scheduling Objective: Basic Scheduling Concepts CPU Scheduling Algorithms Why Multiprogramming? Maximize CPU/Resources Utilization (Based on Some Criteria) CPU Scheduling
Chapter 5: CPU Scheduling. Operating System Concepts 8 th Edition
Chapter 5: CPU Scheduling Silberschatz, Galvin and Gagne 2009 Chapter 5: CPU Scheduling Basic Concepts Scheduling Criteria Scheduling Algorithms Thread Scheduling Multiple-Processor Scheduling Operating
2. is the number of processes that are completed per time unit. A) CPU utilization B) Response time C) Turnaround time D) Throughput
Import Settings: Base Settings: Brownstone Default Highest Answer Letter: D Multiple Keywords in Same Paragraph: No Chapter: Chapter 5 Multiple Choice 1. Which of the following is true of cooperative scheduling?
Process Scheduling CS 241. February 24, 2012. Copyright University of Illinois CS 241 Staff
Process Scheduling CS 241 February 24, 2012 Copyright University of Illinois CS 241 Staff 1 Announcements Mid-semester feedback survey (linked off web page) MP4 due Friday (not Tuesday) Midterm Next Tuesday,
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
Job Scheduling Model
Scheduling 1 Job Scheduling Model problem scenario: a set of jobs needs to be executed using a single server, on which only one job at a time may run for theith job, we have an arrival timea i and a run
Processor Scheduling. Queues Recall OS maintains various queues
Processor Scheduling Chapters 9 and 10 of [OS4e], Chapter 6 of [OSC]: Queues Scheduling Criteria Cooperative versus Preemptive Scheduling Scheduling Algorithms Multi-level Queues Multiprocessor and Real-Time
CPU Scheduling. Multitasking operating systems come in two flavours: cooperative multitasking and preemptive multitasking.
CPU Scheduling The scheduler is the component of the kernel that selects which process to run next. The scheduler (or process scheduler, as it is sometimes called) can be viewed as the code that divides
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
Process Scheduling in Linux
Process Scheduling in Linux Scheduling Mechanism: how to switch. Scheduling Policy: when to switch and what process to choose. Some scheduling objectives: fast process response time avoidance of process
Konzepte von Betriebssystem-Komponenten. Linux Scheduler. Valderine Kom Kenmegne [email protected]. Proseminar KVBK Linux Scheduler Valderine Kom
Konzepte von Betriebssystem-Komponenten Linux Scheduler Kenmegne [email protected] 1 Contents: 1. Introduction 2. Scheduler Policy in Operating System 2.1 Scheduling Objectives 2.2 Some Scheduling
An Introduction To Simple Scheduling (Primarily targeted at Arduino Platform)
An Introduction To Simple Scheduling (Primarily targeted at Arduino Platform) I'm late I'm late For a very important date. No time to say "Hello, Goodbye". I'm late, I'm late, I'm late. (White Rabbit in
Linux Process Scheduling. sched.c. schedule() scheduler_tick() hooks. try_to_wake_up() ... CFS CPU 0 CPU 1 CPU 2 CPU 3
Linux Process Scheduling sched.c schedule() scheduler_tick() try_to_wake_up() hooks RT CPU 0 CPU 1 CFS CPU 2 CPU 3 Linux Process Scheduling 1. Task Classification 2. Scheduler Skeleton 3. Completely Fair
Road Map. Scheduling. Types of Scheduling. Scheduling. CPU Scheduling. Job Scheduling. Dickinson College Computer Science 354 Spring 2010.
Road Map Scheduling Dickinson College Computer Science 354 Spring 2010 Past: What an OS is, why we have them, what they do. Base hardware and support for operating systems Process Management Threads Present:
CPU Scheduling. Core Definitions
CPU Scheduling General rule keep the CPU busy; an idle CPU is a wasted CPU Major source of CPU idleness: I/O (or waiting for it) Many programs have a characteristic CPU I/O burst cycle alternating phases
The Real-Time Operating System ucos-ii
The Real-Time Operating System ucos-ii Enric Pastor Dept. Arquitectura de Computadors µc/os-ii Overview µc/os-ii Task Management Rate Monotonic Scheduling Memory Management µc/gui µc/fs Books and Resources
VIRTUALIZATION AND CPU WAIT TIMES IN A LINUX GUEST ENVIRONMENT
VIRTUALIZATION AND CPU WAIT TIMES IN A LINUX GUEST ENVIRONMENT James F Brady Capacity Planner for the State Of Nevada [email protected] The virtualization environment presents the opportunity to better
CPU SCHEDULING (CONT D) NESTED SCHEDULING FUNCTIONS
CPU SCHEDULING CPU SCHEDULING (CONT D) Aims to assign processes to be executed by the CPU in a way that meets system objectives such as response time, throughput, and processor efficiency Broken down into
CPU Scheduling. CPU Scheduling
CPU Scheduling Electrical and Computer Engineering Stephen Kim ([email protected]) ECE/IUPUI RTOS & APPS 1 CPU Scheduling Basic Concepts Scheduling Criteria Scheduling Algorithms Multiple-Processor Scheduling
ò Scheduling overview, key trade-offs, etc. ò O(1) scheduler older Linux scheduler ò Today: Completely Fair Scheduler (CFS) new hotness
Last time Scheduling overview, key trade-offs, etc. O(1) scheduler older Linux scheduler Scheduling, part 2 Don Porter CSE 506 Today: Completely Fair Scheduler (CFS) new hotness Other advanced scheduling
Objectives. Chapter 5: Process Scheduling. Chapter 5: Process Scheduling. 5.1 Basic Concepts. To introduce CPU scheduling
Objectives To introduce CPU scheduling To describe various CPU-scheduling algorithms Chapter 5: Process Scheduling To discuss evaluation criteria for selecting the CPUscheduling algorithm for a particular
REAL TIME OPERATING SYSTEMS. Lesson-10:
REAL TIME OPERATING SYSTEMS Lesson-10: Real Time Operating System 1 1. Real Time Operating System Definition 2 Real Time A real time is the time which continuously increments at regular intervals after
Operating Systems 4 th Class
Operating Systems 4 th Class Lecture 1 Operating Systems Operating systems are essential part of any computer system. Therefore, a course in operating systems is an essential part of any computer science
Chapter 2: OS Overview
Chapter 2: OS Overview CmSc 335 Operating Systems 1. Operating system objectives and functions Operating systems control and support the usage of computer systems. a. usage users of a computer system:
Multilevel Load Balancing in NUMA Computers
FACULDADE DE INFORMÁTICA PUCRS - Brazil http://www.pucrs.br/inf/pos/ Multilevel Load Balancing in NUMA Computers M. Corrêa, R. Chanin, A. Sales, R. Scheer, A. Zorzo Technical Report Series Number 049 July,
Real-Time Systems Prof. Dr. Rajib Mall Department of Computer Science and Engineering Indian Institute of Technology, Kharagpur
Real-Time Systems Prof. Dr. Rajib Mall Department of Computer Science and Engineering Indian Institute of Technology, Kharagpur Lecture No. # 26 Real - Time POSIX. (Contd.) Ok Good morning, so let us get
Operatin g Systems: Internals and Design Principle s. Chapter 10 Multiprocessor and Real-Time Scheduling Seventh Edition By William Stallings
Operatin g Systems: Internals and Design Principle s Chapter 10 Multiprocessor and Real-Time Scheduling Seventh Edition By William Stallings Operating Systems: Internals and Design Principles Bear in mind,
Real-time KVM from the ground up
Real-time KVM from the ground up KVM Forum 2015 Rik van Riel Red Hat Real-time KVM What is real time? Hardware pitfalls Realtime preempt Linux kernel patch set KVM & qemu pitfalls KVM configuration Scheduling
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
CPU performance monitoring using the Time-Stamp Counter register
CPU performance monitoring using the Time-Stamp Counter register This laboratory work introduces basic information on the Time-Stamp Counter CPU register, which is used for performance monitoring. The
Deciding which process to run. (Deciding which thread to run) Deciding how long the chosen process can run
SFWR ENG 3BB4 Software Design 3 Concurrent System Design 2 SFWR ENG 3BB4 Software Design 3 Concurrent System Design 11.8 10 CPU Scheduling Chapter 11 CPU Scheduling Policies Deciding which process to run
Effective Computing with SMP Linux
Effective Computing with SMP Linux Multi-processor systems were once a feature of high-end servers and mainframes, but today, even desktops for personal use have multiple processors. Linux is a popular
OS OBJECTIVE QUESTIONS
OS OBJECTIVE QUESTIONS Which one of the following is Little s formula Where n is the average queue length, W is the time that a process waits 1)n=Lambda*W 2)n=Lambda/W 3)n=Lambda^W 4)n=Lambda*(W-n) Answer:1
Why Relative Share Does Not Work
Why Relative Share Does Not Work Introduction Velocity Software, Inc March 2010 Rob van der Heij rvdheij @ velocitysoftware.com Installations that run their production and development Linux servers on
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
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
OPERATING SYSTEMS SCHEDULING
OPERATING SYSTEMS SCHEDULING Jerry Breecher 5: CPU- 1 CPU What Is In This Chapter? This chapter is about how to get a process attached to a processor. It centers around efficient algorithms that perform
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
Objectives. Chapter 5: CPU Scheduling. CPU Scheduler. Non-preemptive and preemptive. Dispatcher. Alternating Sequence of CPU And I/O Bursts
Objectives Chapter 5: CPU Scheduling Introduce CPU scheduling, which is the basis for multiprogrammed operating systems Describe various CPU-scheduling algorithms Discuss evaluation criteria for selecting
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
Lecture 3 Theoretical Foundations of RTOS
CENG 383 Real-Time Systems Lecture 3 Theoretical Foundations of RTOS Asst. Prof. Tolga Ayav, Ph.D. Department of Computer Engineering Task States Executing Ready Suspended (or blocked) Dormant (or sleeping)
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
4. Fixed-Priority Scheduling
Simple workload model 4. Fixed-Priority Scheduling Credits to A. Burns and A. Wellings The application is assumed to consist of a fixed set of tasks All tasks are periodic with known periods This defines
ELEC 377. Operating Systems. Week 1 Class 3
Operating Systems Week 1 Class 3 Last Class! Computer System Structure, Controllers! Interrupts & Traps! I/O structure and device queues.! Storage Structure & Caching! Hardware Protection! Dual Mode Operation
Kernel Synchronization and Interrupt Handling
Kernel Synchronization and Interrupt Handling Oliver Sengpie, Jan van Esdonk Arbeitsbereich Wissenschaftliches Rechnen Fachbereich Informatik Fakultt fr Mathematik, Informatik und Naturwissenschaften Universitt
Understanding Linux on z/vm Steal Time
Understanding Linux on z/vm Steal Time June 2014 Rob van der Heij [email protected] Summary Ever since Linux distributions started to report steal time in various tools, it has been causing
White Paper. Real-time Capabilities for Linux SGI REACT Real-Time for Linux
White Paper Real-time Capabilities for Linux SGI REACT Real-Time for Linux Abstract This white paper describes the real-time capabilities provided by SGI REACT Real-Time for Linux. software. REACT enables
Chapter 2 Process, Thread and Scheduling
Chapter 2 Process, Thread and Scheduling Scheduler Class and Priority XIANG Yong [email protected] Outline Scheduling Class and Priority Dispatch Queues & Dispatch Tables Thread Priorities & Scheduling
Announcements. Basic Concepts. Histogram of Typical CPU- Burst Times. Dispatcher. CPU Scheduler. Burst Cycle. Reading
Announcements Reading Chapter 5 Chapter 7 (Monday or Wednesday) Basic Concepts CPU I/O burst cycle Process execution consists of a cycle of CPU execution and I/O wait. CPU burst distribution What are the
Jorix kernel: real-time scheduling
Jorix kernel: real-time scheduling Joris Huizer Kwie Min Wong May 16, 2007 1 Introduction As a specialized part of the kernel, we implemented two real-time scheduling algorithms: RM (rate monotonic) and
CS414 SP 2007 Assignment 1
CS414 SP 2007 Assignment 1 Due Feb. 07 at 11:59pm Submit your assignment using CMS 1. Which of the following should NOT be allowed in user mode? Briefly explain. a) Disable all interrupts. b) Read the
8-bit Microcontroller. Application Note. AVR134: Real-Time Clock (RTC) using the Asynchronous Timer. Features. Theory of Operation.
AVR134: Real-Time Clock (RTC) using the Asynchronous Timer Features Real-Time Clock with Very Low Power Consumption (4µA @ 3.3V) Very Low Cost Solution Adjustable Prescaler to Adjust Precision Counts Time,
Linux process scheduling
Linux process scheduling David Morgan General neediness categories realtime processes whenever they demand attention, need it immediately other processes interactive care about responsiveness demand no
Why Computers Are Getting Slower (and what we can do about it) Rik van Riel Sr. Software Engineer, Red Hat
Why Computers Are Getting Slower (and what we can do about it) Rik van Riel Sr. Software Engineer, Red Hat Why Computers Are Getting Slower The traditional approach better performance Why computers are
CPU Scheduling 101. The CPU scheduler makes a sequence of moves that determines the interleaving of threads.
CPU Scheduling CPU Scheduling 101 The CPU scheduler makes a sequence of moves that determines the interleaving of threads. Programs use synchronization to prevent bad moves. but otherwise scheduling choices
Kernel Optimizations for KVM. Rik van Riel Senior Software Engineer, Red Hat June 25 2010
Kernel Optimizations for KVM Rik van Riel Senior Software Engineer, Red Hat June 25 2010 Kernel Optimizations for KVM What is virtualization performance? Benefits of developing both guest and host KVM
Module 8. Industrial Embedded and Communication Systems. Version 2 EE IIT, Kharagpur 1
Module 8 Industrial Embedded and Communication Systems Version 2 EE IIT, Kharagpur 1 Lesson 37 Real-Time Operating Systems: Introduction and Process Management Version 2 EE IIT, Kharagpur 2 Instructional
Linux Kernel Networking. Raoul Rivas
Linux Kernel Networking Raoul Rivas Kernel vs Application Programming No memory protection Memory Protection We share memory with devices, scheduler Sometimes no preemption Can hog the CPU Segmentation
Process Scheduling in Linux
The Gate of the AOSP #4 : Gerrit, Memory & Performance Process Scheduling in Linux 2013. 3. 29 Namhyung Kim Outline 1 Process scheduling 2 SMP scheduling 3 Group scheduling - www.kandroid.org 2/ 41 Process
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
Implementing and Using Execution Time Clocks in Ada Hard Real-Time Applications
Implementing and Using Execution Time Clocks in Ada Hard Real-Time Applications By: M. González Harbour, M. Aldea Rivas, J.J. Gutiérrez García, and J.C. Palencia Gutiérrez Departamento de Electrónica y
Lecture Outline Overview of real-time scheduling algorithms Outline relative strengths, weaknesses
Overview of Real-Time Scheduling Embedded Real-Time Software Lecture 3 Lecture Outline Overview of real-time scheduling algorithms Clock-driven Weighted round-robin Priority-driven Dynamic vs. static Deadline
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
Processes and Non-Preemptive Scheduling. Otto J. Anshus
Processes and Non-Preemptive Scheduling Otto J. Anshus 1 Concurrency and Process Challenge: Physical reality is Concurrent Smart to do concurrent software instead of sequential? At least we want to have
ICS 143 - Principles of Operating Systems
ICS 143 - Principles of Operating Systems Lecture 5 - CPU Scheduling Prof. Nalini Venkatasubramanian [email protected] Note that some slides are adapted from course text slides 2008 Silberschatz. Some
Improvement of Scheduling Granularity for Deadline Scheduler
Improvement of Scheduling Granularity for Deadline Scheduler Yoshitake Kobayashi Advanced Software Technology Group Corporate Software Engineering Center TOSHIBA CORPORATION Copyright 2012, Toshiba Corporation.
