Object Oriented Programming (II-Year CSE II-Sem-R09)

Size: px
Start display at page:

Download "Object Oriented Programming (II-Year CSE II-Sem-R09)"

Transcription

1 (II-Year CSE II-Sem-R09) Unit-VI Prepared By: A.SHARATH KUMAR M.Tech Asst. Professor JAWAHARLAL NEHRU TECHNOLOGICAL UNIVERSITY, HYDERABAD. (Kukatpally, Hyderabad)

2 Multithreading A thread is a single sequential (separate) flow of control within program. Sometimes, it is called an execution context or a light weight process. A thread itself is not a program, A thread cannot run on its own. Rather, it runs within a program. A program can be divided into a number of packets of code---- each representing a thread having its own separate flow of control. That is, a thread can t exist by itself. It is a part of program. Light Weight process: A thread is considered a light weight process because it runs within the context of program (within the program) and takes the advantage of the resources allocated to that program. Heavy weight process: In the heavy weight process, the control changes in between threads belonging to different processes (i.e. two different programs). (In light weight process, the control changes in between threads belonging to same (one) process. Execution context: A thread will have its own execution stack and program counter. The code running within the thread works only within that context. Package support for threads: Java.lang.thread: In java Language, threads are objects that derive from java.lang.thread class. We can subclass the thread class to get functionality of the thread. Thread is a concrete class. Java.lang.Runnable: Runnable is an interface which provides an abstract method run() for a thread. Java.lang.object: This is the root class for every class and defines the three methods for use of threads. The methods are wait(), notify() and notifyall(). Java language has two keywords related to threads: volatile and synchronized. Both of these keywords help ensure the integrity of data that is shared between two concurrently running threads. run() method: The run() method is available both in thread class and Runnable interface. We can subclass a Thread class and override the run(0 method. We write the specific code, which we would like to do by the thread, in the run() method. run() method is the heart of any Thread. run( ) method is called implicitly by the start() method. In java, we can create threads in two ways --- one by sub classing the Thread class and one by implementing Runnable interface. A program by sub classing the thread class 1

3 We can create threads by extending Thread class to our class. In the following program, the class Using Thread extends the class Thread. By this every object of class Using thread becomes implicitly a thread (i.e it can utilize all the methods of thread class). Ex: printing 10 no s using a thread. Thread class is extended Filename: UsingThread.java public class UsingThread extends Thread // Thread class is extended public void run() //write the code specific to the thread in run() method try for(int i=1;i<11;i++) S.o.p( Hello +i); //prints hello 10 times Thread.sleep(1000);//with a gap pf 1000 milliseconds //sleep() is a static method of Thread class //which makes a thread to sleep9not functioning) for the specific time Catch(InterruptedException e) e.printstacktrace(); S.o.p( Done ); //when run s job is over Done is printed public static void main(string args[]) UsingThread ut=new UsingThread(); ut.start(); //athread starts its functioning with start() method only The run() method of UsingThread class overrides the empty run(0 method of Thread class with a for loop that iterates 10 times. Between each iteration it sleeps for 1 second(1000 ms). After the loop has finished it prints Done. About sleep() method Sleep() is a method of Thread class with the following signature: public static void sleep (long milliseconds) throws InterruptedException sleep() method is static and throws (claims) a checked exception interrupted exception. That is when ever we use, sleep() method, we should take care of InterruptedException by providing try- catch block. sleep() method makes a running (active) thread not to run(inactive) for the specified milliseconds of time. When the sleep time expires, the thread becomes automatically active. The active thread executes the run() method code. When the thread comes out of the run() method, it dies (naturally,the work assigned to it is over. That is why, we write the code that is to be done by thread in run() method). About start() method UsingThread ut = new UsingThread(); ut.start(); In the above first statement, a thread by name ut is created (ut is actually an object of UsingThread class, but becomes implicitly a thread as the class has extended Thread class). 2

4 The thread ut is in born state and is inactive. The inactive thread cannot call run() method. The thread in born state occupies the memory resources but cannot take microprocessor time. In the second statement, we call the start() method on the thread. Start() method implicitly calls run() method. The thread in run state is active and utilizes microprocessor time. A program by implementing Runnable interface The above program is rewritten by implementing Runnable interface (instead of extending thread class). Everything is same but for the small difference of writing implements instead of extends. Another difference is that the run() method in Thread class is a concrete method andit is left to the subclass to override it or not (anyhow, we will override). The same ru() method in Runnable interface is an abstract method. that is, the subclass that implements the Runnable interface must override the run() method. Example: Printing 10 numbers by using Runnable interface. Filename:UsingRunnable.java Public class UsingRunnable implements Runnable public void run(0 try for(int i=1;i<111;i++) System.out.println( Hello +i); Thread.sleep(1000); catch(interruptedexception e) e.printstacktrace(); System.out.println( Done ); public static void main(string args[]) UsingRunnable ur=new UsingRunnable(); Thread t = new Thread(ur); //this line is extra than previous program t.start(); We cannot call ur.start(0) directly and if called raises a compilation error. This is because the object ur (or the class UsingRunnable) is no way connected to the start(0 method of Thread class. To overcome this,java designers provided a way of passing ur as an argument to the Thread constructor. t.start() implicitly calls the run() method of UsingRunnable class. Instance of UsingRunnable class is passed as a parameter to the Thread constructor. And instead of starting the object ur,object of Thread class, t is started. This is the difference between the above two programs. Using Multiple threads we can execute different threads concurrently (and is the purpose of a multithreaded program). The source code includes three individual programs-first Thread, Second Thread and TwoRuns. FirstThread and SecondThread classes extend Thread class. The objects of these classes are created and their start(0 methods are called from Two runs class. Example: to execute two run methods and observe outputs with different sleep periods. File Name: TwoRuns.java class FirstThread extends thread public void run() 3

5 for(int i=1;i<5;i++) System.out.println( First thread: +i); Try Thread.sleep(1000); catch(interruptedexception e) e.printstacktrace(); class SecondThread extends Thread public void run() for(int i=1;i<5;i++) System.out.println( SecondTthread: +i); try Thread.sleep(1000); catch(interruptedexception e) e.printstacktrace(); public class TwoRuns public static void main(string args[]) FirstThread ft=new FirstThread(); //create the objects of the classes SecondThread st=new SecondThread();//each object is a thread implicitly ft.start();//start the threads st.start();//there is no shortcut to start both the threads at a time try ft.join(); st.join(); //join method throws InterruptedException catch(interruptedexception e) e.printstacktrace(); Output: FirstThread 1 SecondThread 1 FirstThread 2 SecondThread 2 FirstThread 3 Second Thread 3 First Thread 4 Second Thread 4 Note: Change the sleep timings of both the run methods and observe the outputs frequency. After running the above program, keep try-catch block of join() methods in comments, and see the difference in output (order of execution). Thread Scheduler 4

6 In TwoRuns class, we created and started two threads- ft and st. Now both are eligible for microprocessor time. As the sleep method values are same, each thread is executed alternatively. If the sleep timings are changed we get different outputs. Allocation of microprocessor time for all the threads is controlled by Thread Scheduler, managed by the operating system. For allocation of microprocessor time, thread scheduler takes into consideration many factors like a) the waiting period of thread b) the priority of thread etc. If a thread is in inactive state(like in sleep() method), thread scheduler keeps it away(from the pool of threads). When the inactive state is over, the thread joins the pool of threads waiting for Microprocessor time. The thread scheduler manages the pool of threads. Algorithm of thread scheduler is operating system dependent. Different operating systems adopt different algorithms. Thread scheduler allocates the processor time first to higher priority threads. To allocate microprocessor time in between the threads of the same priority, thread scheduler follows round robin fashion. Join(): used for the caller s thread to wait for this thread to die---for example, by coming to the end of the run() method. Lifecycle of thread: Just like applets and servlets threads too got a lifecycle between their birth (thread object creation) and death (thread object garbage collection). Lifecycle constitutes different stages a thread can undergo in its life (existence). When to subclass the Thread or when to implement Runnable: If ur class is already extending anyclass(e.g. Applet or Frame), the choice left to u is implementing runnable interface. Otherwise ur left with any choice At any time,a thread is said to be in one of the several states. Bornstate: A thread is just created(but not started),is in born state.the thread remains in this state until the thread s start() method is called;this causes the thread to enter the ready state. A thread in ready state is eligible to utilize microprocessor time. A thread enter the dead state When its run() method completes or when its stop method is called. A dead thread cannot enter again the run state as it is garbage collected. When running thread s sleep method is called, that thread enters the sleeping state. A sleeping thread enters the ready state again when the sleep time expires. A sleeping thread cannot use microprocessor time, even if the microprocessor is idle. When on a running thread, if suspend() method is called, the thread enters suspended state. A suspended thread becomes ready with resume() method. A suspended thread cannot use processor time, even if it is available. 5

7 When on running thread,if wait() method is called, the thread enters a waiting state where it will be waiting in queue of threads (used in synchronization). The thread comes into ready state when notify() is issued on the thread by another thread. A thread enters the dead state when its run method completes or stop() method is called. The stop() method sends a ThreadDeath object to the thread. ThreadDeath is a subclass of class Error. Making a thread Not Runnable: A thread becomes not runnable when one of these events occur: Its sleep method is called The thread calls the wait method to wait for as specific condition to be satisfied The thread is blocked by an I/O operation. When power fails (ofcourse,system itself stops). After knowing something about threads, its high time to study the Thread class & thread related classes & their methods. Thread class The Thread class is included in java.lang package, a package that is implicitly imported into every program. The super class of Thread is object class. Thread class play a vital role in Java s multithreading. Just like any other Java class, the Thread class is rich with its methods having different functionality. Following is the class signature: public class Thread extends Object implements Runnable Constructors Description public Thread() creates a thread with default name public Thread(String name) create a thread with name Public Thread(ThreadGroup group, String name) creates a thread in a thread group with name Fields when to use public final static int MIN_PRIORITY=1 to associate a thread with minimum priority public final static int NORM_PRIORITY=5 to associate a thread with normal priority public final static int MAX_PRIORITY=10 to associate a thread with maximum priority Methods what they give public static native Thread current Thread() returns the current thread being executed on the microprocessor public static native void sleep (long millisecs) keeps thread in blocked state throws Interrupted Exception Methods what they give public final void join() throws Interrupted Exception waits until the target thread terminates public static void native yield() yield a waiting thread public final String get Name() returns the name of the thread public final void setname(string name) sets a name to the thread public final ThreadGroup getthreadgroup() returns the threads group to which it belong Public final native boolean isalive() returns true if a thread is alive else false if dead public final boolean isdaemon() checks whether a thread is daemon or not Public boolean isinterrupted() returns true if thread is Interrupted public void run() by default run method is called public final void setdaemon(boolean on) makes a thread daemon if true public final int getpriority() returns the priority of the thread public final void setpriority(int priority) sets the priority to thread public synchronized native void start() starts a thread 6

8 public final void stop() public final void suspend() Public final void resume() stops a thread and when stopped garbagecollected to suspend a thread to resume a thread when suspended isalive() method: The isalive() method returns true if the thread has been started and not stopped. If the isalive() method returns false, the thread is either in the born (not started still with start()) state or dead state. If the isalive()method returns true, it means the thread is in either Runnable State or not Runnable (blocked state) state. Daemon Threads: A daemon thread is a thread that runs for the benefit of threads. Daemon threads are known as service threads. Daemon threads run in the background and come into execution when the microprocessor is idle. The garbage collector is an example for a daemon thread. We can set a thread to be daemon one, by calling the thread setdaemon(true0. If the parameter is false, thread is not a daemon thread, the default one. A thread must be set to daemon, if wanted, before it starts(i.e,start() is called). Example:using different methods of Thread class FileName:ThreadMethodsDemo.java public class ThreadMethodsDemo extends Thread psvm(string args[]) Thread t1=new Thread(); //create a thread object of Thread class S.o.p( Default t1 Name: +t1.getname()); //prints Thread-0 t1.setname( Hello Thread ); System.out.println( t1 Name after assigning: +t1.getname()); //Hello Thread s.o.p( Default priority of t1: +t1.getpriority()); //prints 5 t1.setpriority(thread.max_priority); //setting a priority to a thread s.o.p( priority of t1 after setting: +t1.getpriority()); //prints 10 s.o.p( Default thread group of t1: +t1.getthreadgroup());//prints main System.out.println( Default t1 is Daemon(): +t1.isdaemon()); //false t1.setdaemon(true); //making a thread as a daemon thread S.o.p( after setting t1 is daemon(): +t1.isdaemon()); //true System.out.println( ti.isalive(): +t1.isalive()); //prints false as start() is not called still S.o.p( t1.isinterrupted(): +t1.isinterrupted()); getthreadgroup(): getthreadgroup() of Thread class returns the name of the thread group for which the thread belongs. Every thread should belong to a thread group (like a file does not exist without a Directory). If no group is specified by the programmer to a thread, by default,it is placed in main group. main is a group name and also a thread name. the default priority of main is 5. Thread priority The order of execution of multiple threads on a single cpu, depends on the scheduling. The java runtime supports a scheduling algorithm called fixed priority scheduling.the algorithm schedules the threads based on their priority relative to each other Runnable threads. Every java thread has a priority in the range Thread.MIN_PRIORITY(of constant 1) and Thread.MAX_PRIORITY(of constant 10). By default, each thread is given a priority of Thread.NORM_PRIORITY(of constant 5). Each new thread inherits the priority of thread 7

9 that creates it. The job of thread scheduler is to keep the highest-priority thread running all the time and for the threads of same priority, time slices are allocated in round-robin fashion. A threads priority can be adjusted with setpriority() method. Thread Group Every thread belongs to some group. That is no thread exists without a group (like no file exists without a directory). While creating a thread, if no group is specified, by default it is put into main thread group. A thread group can have both threads and other thread groups as members (like a directory can have both directories and files). The following is the signature of the ThreadGroup class: public class ThreadGroup extends Object resume() and suspend() suspend() method is used to temporarily stop the execution (making inactive) of the thread. All the resources of the thread are retained (not destroyed). Resume() is a method which can start a suspended thread (and making it active again). Synchronization: The examples so far u have practiced are independent and asynchronous. Each thread contained all the data and methods required for its execution and did not require any outside resources or methods. But is not the case always. There may be situations when threads share same data and must consider the activities of other threads. It is necessary to carefully coordinate the actions between threads especially when access the same data. Data corruption can occur if a multi threaded program is not designed correctly. The data used by many threads is often referred to as critical section data. A thread that plays nicely with the other threads and does not try to mess with a critical section while another thread is using it is referred to as thread safe. As an example consider the following example of bank account that is shared by multiple consumers (joint account of 10 partners). Each of these customers can make deposits to or withdrawals from this account. The following figure depicts one possible scheduling of these threads. At time t0, the balance is 0. The thread wants to deposit Rs.10 to the account. The current value of the account is read at time t1. however a context switch from Thread A to Thread B occurs at time t2. Thread B then reads the value of the account at time t3. It increments this value by Rs.10 at the time t4. Another context switch occurs at time t5. this returns control to Thread A. At time t6, it sets the account balance to Rs. 10. The net effect of this sequencing is that the final account balance is only Rs. 10 instead of 20. This is due to data corruption. The solution to this problem is to synchronize the access to this common (shared) data (balance). This can be done by synchronizing the method. When a thread begins executing a synchronized method, it automatically acquires a lock on that object. The lock automatically relinquished when the method completes. Only one thread may have this lock at any time. If the second thread tries to access the synchronized method when already being executed, the JVM causes the second thread to wait until the first thread relinquishes (leaves) the lock. 8

10 Deadlock Deadlock is an error that can be encountered in multithreaded programs. It occurs when two or more threads wait indefinitely for each other to obtain locks. Assume that a thread1 holds a lock on object1 and waits for a lock on object2. Similarly, thread2 hilds a lock onobject2 and waits for lock on object1. Neither of these threads may proceed. Each waits for ever for the other to obtain the lock it needs. Using synchronized keyword to deadlock the objects. wait, notify, and notifyall(): The wait() method can be used to suspend a thread until an objects monitor changes status. It must be used inside a method or block of code that is synchronized. It operates by releasing the monitor and putting the current thread to sleep until some other thread calls notify() or notifyall() on the synchronized object. Other threads can enter the synchronized method (or block) once wait has been called. 9

Unit - IV Multi-Threading

Unit - IV Multi-Threading Unit - IV Multi-Threading 1 Uni Processing In the early days of computer only one program will occupy the memory. The second program must be in waiting. The second program will be entered whenever first

More information

7. MULTITHREDED PROGRAMMING

7. MULTITHREDED PROGRAMMING 7. MULTITHREDED PROGRAMMING What is thread? A thread is a single sequential flow of control within a program. Thread is a path of the execution in a program. Muti-Threading: Executing more than one thread

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

Module - 4 Multi-Threaded Programming

Module - 4 Multi-Threaded Programming Terminologies Module - 4 Multi-Threaded Programming Process: A program under execution is called as process. Thread: A smallest component of a process that can be executed independently. OR A thread is

More information

Concurrent Programming using Threads

Concurrent Programming using Threads Concurrent Programming using Threads Threads are a control mechanism that enable you to write concurrent programs. You can think of a thread in an object-oriented language as a special kind of system object

More information

Unit III Rupali Sherekar 2017

Unit III Rupali Sherekar 2017 Unit III Exceptions An exception is an abnormal condition that arises in a code sequence at run time. In other words, an exception is a run-time error. In computer languages that do not support exception

More information

Multithread Computing

Multithread Computing Multithread Computing About This Lecture Purpose To learn multithread programming in Java What You Will Learn ¾ Benefits of multithreading ¾ Class Thread and interface Runnable ¾ Thread methods and thread

More information

CS 556 Distributed Systems

CS 556 Distributed Systems CS 556 Distributed Systems Tutorial on 4 Oct 2002 Threads A thread is a lightweight process a single sequential flow of execution within a program Threads make possible the implementation of programs that

More information

Contents. 6-1 Copyright (c) N. Afshartous

Contents. 6-1 Copyright (c) N. Afshartous Contents 1. Classes and Objects 2. Inheritance 3. Interfaces 4. Exceptions and Error Handling 5. Intro to Concurrency 6. Concurrency in Java 7. Graphics and Animation 8. Applets 6-1 Copyright (c) 1999-2004

More information

CIS233J Java Programming II. Threads

CIS233J Java Programming II. Threads CIS233J Java Programming II Threads Introduction The purpose of this document is to introduce the basic concepts about threads (also know as concurrency.) Definition of a Thread A thread is a single sequential

More information

Note: Each loop has 5 iterations in the ThreeLoopTest program.

Note: Each loop has 5 iterations in the ThreeLoopTest program. Lecture 23 Multithreading Introduction Multithreading is the ability to do multiple things at once with in the same application. It provides finer granularity of concurrency. A thread sometimes called

More information

Advanced Programming Methods. Lecture 6 - Concurrency in Java (1)

Advanced Programming Methods. Lecture 6 - Concurrency in Java (1) Advanced Programming Methods Lecture 6 - Concurrency in Java (1) Overview Introduction Java threads Java.util.concurrent References NOTE: The slides are based on the following free tutorials. You may want

More information

Le L c e t c ur u e e 7 To T p o i p c i s c t o o b e b e co c v o e v r e ed e Multithreading

Le L c e t c ur u e e 7 To T p o i p c i s c t o o b e b e co c v o e v r e ed e Multithreading Course Name: Advanced Java Lecture 7 Topics to be covered Multithreading Thread--An Introduction Thread A thread is defined as the path of execution of a program. It is a sequence of instructions that

More information

27/04/2012. We re going to build Multithreading Application. Objectives. MultiThreading. Multithreading Applications. What are Threads?

27/04/2012. We re going to build Multithreading Application. Objectives. MultiThreading. Multithreading Applications. What are Threads? Objectives MultiThreading What are Threads? Interrupting threads Thread properties By Võ Văn Hải Faculty of Information Technologies Summer 2012 Threads priorities Synchronization Callables and Futures

More information

Contents. G53SRP: Java Threads. Definition. Why we need it. A Simple Embedded System. Why we need it. Java Threads 24/09/2009 G53SRP 1 ADC

Contents. G53SRP: Java Threads. Definition. Why we need it. A Simple Embedded System. Why we need it. Java Threads 24/09/2009 G53SRP 1 ADC Contents G53SRP: Java Threads Chris Greenhalgh School of Computer Science 1 Definition Motivations Threads Java threads Example embedded process Java Thread API & issues Exercises Book: Wellings 1.1 &

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

Multithreaded Programming

Multithreaded Programming Multithreaded Programming Multithreaded programming basics Concurrency is the ability to run multiple parts of the program in parallel. In Concurrent programming, there are two units of execution: Processes

More information

Object Oriented Programming. Week 10 Part 1 Threads

Object Oriented Programming. Week 10 Part 1 Threads Object Oriented Programming Week 10 Part 1 Threads Lecture Concurrency, Multitasking, Process and Threads Thread Priority and State Java Multithreading Extending the Thread Class Defining a Class that

More information

Amity School of Engineering

Amity School of Engineering Amity School of Engineering B.Tech., CSE(5 th Semester) Java Programming Topic: Multithreading ANIL SAROLIYA 1 Multitasking and Multithreading Multitasking refers to a computer's ability to perform multiple

More information

Software Practice 1 - Multithreading

Software Practice 1 - Multithreading Software Practice 1 - Multithreading What is the thread Life cycle of thread How to create thread Thread method Lab practice Prof. Joonwon Lee T.A. Jaehyun Song Jongseok Kim T.A. Sujin Oh Junseong Lee

More information

Threads. Definitions. Process Creation. Process. Thread Example. Thread. From Volume II

Threads. Definitions. Process Creation. Process. Thread Example. Thread. From Volume II Definitions A glossary Threads From Volume II Copyright 1998-2002 Delroy A. Brinkerhoff. All Rights Reserved. Threads Slide 1 of 30 PMultitasking: (concurrent ramming, multiramming) the illusion of running

More information

Threads Chate Patanothai

Threads Chate Patanothai Threads Chate Patanothai Objectives Knowing thread: 3W1H Create separate threads Control the execution of a thread Communicate between threads Protect shared data C. Patanothai Threads 2 What are threads?

More information

UNIT IV MULTITHREADING AND GENERIC PROGRAMMING

UNIT IV MULTITHREADING AND GENERIC PROGRAMMING UNIT IV MULTITHREADING AND GENERIC PROGRAMMING Differences between multithreading and multitasking, thread life cycle, creating threads, creating threads, synchronizing threads, Inter-thread communication,

More information

Unit 4. Thread class & Runnable Interface. Inter Thread Communication

Unit 4. Thread class & Runnable Interface. Inter Thread Communication Unit 4 Thread class & Runnable Interface. Inter Thread Communication 1 Multithreaded Programming Java provides built-in support for multithreaded programming. A multithreaded program contains two or more

More information

Handling Multithreading Approach Using Java Nikita Goel, Vijaya Laxmi, Ankur Saxena Amity University Sector-125, Noida UP India

Handling Multithreading Approach Using Java Nikita Goel, Vijaya Laxmi, Ankur Saxena Amity University Sector-125, Noida UP India RESEARCH ARTICLE Handling Multithreading Approach Using Java Nikita Goel, Vijaya Laxmi, Ankur Saxena Amity University Sector-125, Noida UP-201303 - India OPEN ACCESS ABSTRACT This paper contains information

More information

Introduction to Java Threads

Introduction to Java Threads Object-Oriented Programming Introduction to Java Threads RIT CS 1 "Concurrent" Execution Here s what could happen when you run this Java program and launch 3 instances on a single CPU architecture. The

More information

Threads Questions Important Questions

Threads Questions Important Questions Threads Questions Important Questions https://dzone.com/articles/threads-top-80-interview https://www.journaldev.com/1162/java-multithreading-concurrency-interviewquestions-answers https://www.javatpoint.com/java-multithreading-interview-questions

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

COURSE 11 PROGRAMMING III OOP. JAVA LANGUAGE

COURSE 11 PROGRAMMING III OOP. JAVA LANGUAGE COURSE 11 PROGRAMMING III OOP. JAVA LANGUAGE PREVIOUS COURSE CONTENT Input/Output Streams Text Files Byte Files RandomAcessFile Exceptions Serialization NIO COURSE CONTENT Threads Threads lifecycle Thread

More information

By: Abhishek Khare (SVIM - INDORE M.P)

By: Abhishek Khare (SVIM - INDORE M.P) By: Abhishek Khare (SVIM - INDORE M.P) MCA 405 Elective I (A) Java Programming & Technology UNIT-2 Interface,Multithreading,Exception Handling Interfaces : defining an interface, implementing & applying

More information

Quiz on Tuesday April 13. CS 361 Concurrent programming Drexel University Fall 2004 Lecture 4. Java facts and questions. Things to try in Java

Quiz on Tuesday April 13. CS 361 Concurrent programming Drexel University Fall 2004 Lecture 4. Java facts and questions. Things to try in Java CS 361 Concurrent programming Drexel University Fall 2004 Lecture 4 Bruce Char and Vera Zaychik. All rights reserved by the author. Permission is given to students enrolled in CS361 Fall 2004 to reproduce

More information

Multithreading Pearson Education, Inc. All rights reserved.

Multithreading Pearson Education, Inc. All rights reserved. 1 23 Multithreading 2 23.1 Introduction Multithreading Provides application with multiple threads of execution Allows programs to perform tasks concurrently Often requires programmer to synchronize threads

More information

Unit 5 - Exception Handling & Multithreaded

Unit 5 - Exception Handling & Multithreaded Exceptions Handling An exception (or exceptional event) is a problem that arises during the execution of a program. When an Exception occurs the normal flow of the program is disrupted and the program/application

More information

04-Java Multithreading

04-Java Multithreading 04-Java Multithreading Join Google+ community http://goo.gl/u7qvs You can ask all your doubts, questions and queries by posting on this G+ community during/after webinar http://openandroidlearning.org

More information

COMP31212: Concurrency A Review of Java Concurrency. Giles Reger

COMP31212: Concurrency A Review of Java Concurrency. Giles Reger COMP31212: Concurrency A Review of Java Concurrency Giles Reger Outline What are Java Threads? In Java, concurrency is achieved by Threads A Java Thread object is just an object on the heap, like any other

More information

JAVA - MULTITHREADING

JAVA - MULTITHREADING JAVA - MULTITHREADING http://www.tutorialspoint.com/java/java_multithreading.htm Copyright tutorialspoint.com Java is amultithreaded programming language which means we can develop mult it hreaded program

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

Overview. Processes vs. Threads. Computation Abstractions. CMSC 433, Fall Michael Hicks 1

Overview. Processes vs. Threads. Computation Abstractions. CMSC 433, Fall Michael Hicks 1 CMSC 433 Programming Language Technologies and Paradigms Spring 2003 Threads and Synchronization April 1, 2003 Overview What are threads? Thread scheduling, data races, and synchronization Thread mechanisms

More information

Animation Part 2: MoveableShape interface & Multithreading

Animation Part 2: MoveableShape interface & Multithreading Animation Part 2: MoveableShape interface & Multithreading MoveableShape Interface In the previous example, an image was drawn, then redrawn in another location Since the actions described above can apply

More information

What is a Thread? Individual and separate unit of execution that is part of a process. multiple threads can work together to accomplish a common goal

What is a Thread? Individual and separate unit of execution that is part of a process. multiple threads can work together to accomplish a common goal Java Threads What is a Thread? Individual and separate unit of execution that is part of a process multiple threads can work together to accomplish a common goal Video Game example one thread for graphics

More information

SUMMARY INTRODUCTION CONCURRENT PROGRAMMING THREAD S BASICS. Introduction Thread basics. Thread states. Sequence diagrams

SUMMARY INTRODUCTION CONCURRENT PROGRAMMING THREAD S BASICS. Introduction Thread basics. Thread states. Sequence diagrams SUMMARY CONCURRENT PROGRAMMING THREAD S BASICS PROGRAMMAZIONE CONCORRENTE E DISTR. Introduction Thread basics Thread properties Thread states Thread interruption Sequence diagrams Università degli Studi

More information

Multithreaded Programming

Multithreaded Programming core programming Multithreaded Programming 1 2001-2003 Marty Hall, Larry Brown http:// 2 Multithreaded Programming Agenda Why threads? Approaches for starting threads Separate class approach Callback approach

More information

Chapter 32 Multithreading and Parallel Programming

Chapter 32 Multithreading and Parallel Programming Chapter 32 Multithreading and Parallel Programming 1 Objectives To get an overview of multithreading ( 32.2). To develop task classes by implementing the Runnable interface ( 32.3). To create threads to

More information

Chapter 19 Multithreading

Chapter 19 Multithreading Chapter 19 Multithreading Prerequisites for Part VI Chapter 14 Applets, Images, and Audio Chapter 19 Multithreading Chapter 20 Internationalization 1 Objectives To understand the concept of multithreading

More information

MultiThreading 07/01/2013. Session objectives. Introduction. Introduction. Advanced Java Programming Course

MultiThreading 07/01/2013. Session objectives. Introduction. Introduction. Advanced Java Programming Course Advanced Java Programming Course MultiThreading By Võ Văn Hải Faculty of Information Technologies Industrial University of Ho Chi Minh City Session objectives Introduction Creating thread Thread class

More information

Java s Implementation of Concurrency, and how to use it in our applications.

Java s Implementation of Concurrency, and how to use it in our applications. Java s Implementation of Concurrency, and how to use it in our applications. 1 An application running on a single CPU often appears to perform many tasks at the same time. For example, a streaming audio/video

More information

Advanced Java Programming Course. MultiThreading. By Võ Văn Hải Faculty of Information Technologies Industrial University of Ho Chi Minh City

Advanced Java Programming Course. MultiThreading. By Võ Văn Hải Faculty of Information Technologies Industrial University of Ho Chi Minh City Advanced Java Programming Course MultiThreading By Võ Văn Hải Faculty of Information Technologies Industrial University of Ho Chi Minh City Session objectives Introduction Creating thread Thread class

More information

Threads in Java (Deitel & Deitel)

Threads in Java (Deitel & Deitel) Threads in Java (Deitel & Deitel) OOutline 1 Introduction 1 Class Thread: An Overview of the Thread Methods 1 Thread States: Life Cycle of a Thread 1 Thread Priorities and Thread Scheduling 1 Thread Synchronization

More information

Performance Throughput Utilization of system resources

Performance Throughput Utilization of system resources Concurrency 1. Why concurrent programming?... 2 2. Evolution... 2 3. Definitions... 3 4. Concurrent languages... 5 5. Problems with concurrency... 6 6. Process Interactions... 7 7. Low-level Concurrency

More information

Chapter 8 Threads Zindell Technologies, Ltd. Question 1: Which one statement below is true concerning the following code?

Chapter 8 Threads Zindell Technologies, Ltd. Question 1: Which one statement below is true concerning the following code? 1 Chapter 8 Threads Question 1: Which one statement below is true concerning the following code? 1. class Hevron extends java.util.vector implements Runnable 2. 3. public void run(int counter) 4. 3. System.out.println("in

More information

JAVA. Lab 12 & 13: Multithreading

JAVA. Lab 12 & 13: Multithreading JAVA Prof. Navrati Saxena TA: Rochak Sachan Lab 12 & 13: Multithreading Outline: 2 What is multithreaded programming? Thread model Synchronization Thread Class and Runnable Interface The Main Thread Creating

More information

CMSC 433 Programming Language Technologies and Paradigms. Concurrency

CMSC 433 Programming Language Technologies and Paradigms. Concurrency CMSC 433 Programming Language Technologies and Paradigms Concurrency What is Concurrency? Simple definition Sequential programs have one thread of control Concurrent programs have many Concurrency vs.

More information

Java Threads. Written by John Bell for CS 342, Spring 2018

Java Threads. Written by John Bell for CS 342, Spring 2018 Java Threads Written by John Bell for CS 342, Spring 2018 Based on chapter 9 of Learning Java, Fourth Edition by Niemeyer and Leuck, and other sources. Processes A process is an instance of a running program.

More information

Programmazione Avanzata e Paradigmi Ingegneria e Scienze Informatiche - UNIBO a.a 2013/2014 Lecturer: Alessandro Ricci

Programmazione Avanzata e Paradigmi Ingegneria e Scienze Informatiche - UNIBO a.a 2013/2014 Lecturer: Alessandro Ricci v1.0 20130323 Programmazione Avanzata e Paradigmi Ingegneria e Scienze Informatiche - UNIBO a.a 2013/2014 Lecturer: Alessandro Ricci [module lab 2.1] CONCURRENT PROGRAMMING IN JAVA: INTRODUCTION 1 CONCURRENT

More information

Multithreaded Programming Part II. CSE 219 Stony Brook University, Department of Computer Science

Multithreaded Programming Part II. CSE 219 Stony Brook University, Department of Computer Science Multithreaded Programming Part II CSE 219 Stony Brook University, Thread Scheduling In a Java application, main is a thread on its own Once multiple threads are made Runnable the thread scheduler of the

More information

Network Programming COSC 1176/1179. Lecture 6 Concurrent Programming (2)

Network Programming COSC 1176/1179. Lecture 6 Concurrent Programming (2) Network Programming COSC 1176/1179 Lecture 6 Concurrent Programming (2) Threads Recall from last week Every line of Java code is part of a thread There can be one or more threads running in parallel Each

More information

Advanced Concepts of Programming

Advanced Concepts of Programming Berne University of Applied Sciences E. Benoist / E. Dubuis January 2005 1 Multithreading in Java Java provides the programmer with built-in threading capabilities The programmer can create and manipulate

More information

Multi-threading in Java. Jeff HUANG

Multi-threading in Java. Jeff HUANG Multi-threading in Java Jeff HUANG Software Engineering Group @HKUST Do you use them? 2 Do u know their internals? 3 Let s see File DB How can they service so many clients simultaneously? l 4 Multi-threading

More information

Concurrent Computing CSCI 201 Principles of Software Development

Concurrent Computing CSCI 201 Principles of Software Development Concurrent Computing CSCI 201 Principles of Software Development Jeffrey Miller, Ph.D. jeffrey.miller@usc.edu Outline Threads Multi-Threaded Code CPU Scheduling Program USC CSCI 201L Thread Overview Looking

More information

public class Shared0 { private static int x = 0, y = 0;

public class Shared0 { private static int x = 0, y = 0; A race condition occurs anytime that the execution of one thread interferes with the desired behavior of another thread. What is the expected postcondition for the following bump() method? What should

More information

MULTI-THREADING

MULTI-THREADING MULTI-THREADING KEY OBJECTIVES After completing this chapter readers will be able to understand what multi-threaded programs are learn how to write multi-threaded programs learn how to interrupt, suspend

More information

Need for synchronization: If threads comprise parts of our software systems, then they must communicate.

Need for synchronization: If threads comprise parts of our software systems, then they must communicate. Thread communication and synchronization There are two main aspects to Outline for Lecture 19 multithreaded programming in Java: I. Thread synchronization. thread lifecycle, and thread synchronization.

More information

Java Threads. Introduction to Java Threads

Java Threads. Introduction to Java Threads Java Threads Resources Java Threads by Scott Oaks & Henry Wong (O Reilly) API docs http://download.oracle.com/javase/6/docs/api/ java.lang.thread, java.lang.runnable java.lang.object, java.util.concurrent

More information

Synchronization

Synchronization Synchronization 10-28-2013 Synchronization Coming next: Multithreading in JavaFX (javafx.concurrent) Read: Java Tutorial on concurrency JavaFX Tutorial on concurrency Effective Java, Chapter 9 Project#1:

More information

CISC 4700 L01 Network & Client-Server Programming Spring Cowell Chapter 15: Writing Threaded Applications

CISC 4700 L01 Network & Client-Server Programming Spring Cowell Chapter 15: Writing Threaded Applications CISC 4700 L01 Network & Client-Server Programming Spring 2016 Cowell Chapter 15: Writing Threaded Applications Idea: application does simultaneous activities. Example: web browsers download text and graphics

More information

Advanced Programming Concurrency

Advanced Programming Concurrency Advanced Programming Concurrency Concurrent Programming Until now, a program was a sequence of operations, executing one after another. In a concurrent program, several sequences of operations may execute

More information

Week 7. Concurrent Programming: Thread Synchronization. CS 180 Sunil Prabhakar Department of Computer Science Purdue University

Week 7. Concurrent Programming: Thread Synchronization. CS 180 Sunil Prabhakar Department of Computer Science Purdue University Week 7 Concurrent Programming: Thread Synchronization CS 180 Sunil Prabhakar Department of Computer Science Purdue University Announcements Exam 1 tonight 6:30 pm - 7:30 pm MTHW 210 2 Outcomes Understand

More information

CS360 Lecture 12 Multithreading

CS360 Lecture 12 Multithreading CS360 Lecture 12 Multithreading Thursday, March 11, 2004 Reading Multithreading: Chapter 16 Thread States At any time, a thread can be in one of several thread states: - Born: this is the time when the

More information

UNIT V CONCURRENT PROGRAMMING

UNIT V CONCURRENT PROGRAMMING UNIT V CONCURRENT PROGRAMMING Multi-Threading: Java provides built-in support for multithreaded programming. A multithreaded program contains two or more parts that can run concurrently. Each part of such

More information

MultiThreading. Object Orientated Programming in Java. Benjamin Kenwright

MultiThreading. Object Orientated Programming in Java. Benjamin Kenwright MultiThreading Object Orientated Programming in Java Benjamin Kenwright Outline Review Essential Java Multithreading Examples Today s Practical Review/Discussion Question Does the following code compile?

More information

Programming Language Concepts: Lecture 11

Programming Language Concepts: Lecture 11 Programming Language Concepts: Lecture 11 Madhavan Mukund Chennai Mathematical Institute madhavan@cmi.ac.in PLC 2011, Lecture 11, 01 March 2011 Concurrent Programming Monitors [Per Brinch Hansen, CAR Hoare]

More information

Java Threads. COMP 585 Noteset #2 1

Java Threads. COMP 585 Noteset #2 1 Java Threads The topic of threads overlaps the boundary between software development and operation systems. Words like process, task, and thread may mean different things depending on the author and the

More information

Definition: A thread is a single sequential flow of control within a program.

Definition: A thread is a single sequential flow of control within a program. What Is a Thread? All programmers are familiar with writing sequential programs. You've probably written a program that displays "Hello World!" or sorts a list of names or computes a list of prime numbers.

More information

COMPSCI 230 Threading Week8. Figure 1 Thread status diagram [http://www.programcreek.com/2009/03/thread-status/]

COMPSCI 230 Threading Week8. Figure 1 Thread status diagram [http://www.programcreek.com/2009/03/thread-status/] COMPSCI 230 Threading Week8 Figure 1 Thread status diagram [http://www.programcreek.com/2009/03/thread-status/] Synchronization Lock DeadLock Why do we need Synchronization in Java? If your code is executing

More information

Object-Oriented Programming Concepts-15CS45

Object-Oriented Programming Concepts-15CS45 Chethan Raj C Assistant Professor Dept. of CSE Module 04 Contents 1. Multi Threaded Programming 2. Multi Threaded Programming 3. What are threads 4. How to make the classes threadable 5. Extending threads

More information

Thread Programming. Comp-303 : Programming Techniques Lecture 11. Alexandre Denault Computer Science McGill University Winter 2004

Thread Programming. Comp-303 : Programming Techniques Lecture 11. Alexandre Denault Computer Science McGill University Winter 2004 Thread Programming Comp-303 : Programming Techniques Lecture 11 Alexandre Denault Computer Science McGill University Winter 2004 February 16, 2004 Lecture 11 Comp 303 : Programming Techniques Page 1 Announcements

More information

Techniques of Java Programming: Concurrent Programming in Java

Techniques of Java Programming: Concurrent Programming in Java Techniques of Java Programming: Concurrent Programming in Java Manuel Oriol May 11, 2006 1 Introduction Threads are one of the fundamental structures in Java. They are used in a lot of applications as

More information

Reading from URL. Intent - open URL get an input stream on the connection, and read from the input stream.

Reading from URL. Intent - open URL  get an input stream on the connection, and read from the input stream. Simple Networking Loading applets from the network. Applets are referenced in a HTML file. Java programs can use URLs to connect to and retrieve information over the network. Uniform Resource Locator (URL)

More information

Multithreading using Java. Dr. Ferdin Joe John Joseph

Multithreading using Java. Dr. Ferdin Joe John Joseph Multithreading using Java Dr. Ferdin Joe John Joseph 1 Agenda Introduction Thread Applications Defining Threads Java Threads and States Priorities Accessing Shared Resources Synchronisation Assignment

More information

Concurrency - Topics. Introduction Introduction to Subprogram-Level Concurrency Semaphores Monitors Message Passing Java Threads

Concurrency - Topics. Introduction Introduction to Subprogram-Level Concurrency Semaphores Monitors Message Passing Java Threads Concurrency - Topics Introduction Introduction to Subprogram-Level Concurrency Semaphores Monitors Message Passing Java Threads 1 Introduction Concurrency can occur at four levels: Machine instruction

More information

Programming Java. Multithreaded Programming

Programming Java. Multithreaded Programming Programming Multithreaded Programming Incheon Paik 1 Contents An Overview of Threads Creating Threads Synchronization Deadlock Thread Communication 2 An Overview of Threads What is a Thread? A sequence

More information

What is a thread anyway?

What is a thread anyway? Concurrency in Java What is a thread anyway? Smallest sequence of instructions that can be managed independently by a scheduler There can be multiple threads within a process Threads can execute concurrently

More information

EDAF65 Processes and Threads

EDAF65 Processes and Threads EDAF65 Processes and Threads Per Andersson Lund University http://cs.lth.se/per_andersson/ January 24, 2018 Per Andersson EDAF65 Processes and Threads January 24, 2018 1 / 65 Time-Sharing Operating Systems

More information

Basics of. Multithreading in Java

Basics of. Multithreading in Java Basics of programming 3 Multithreading in Java Thread basics Motivation in most cases sequential (single threaded) applications are not adequate it s easier to decompose tasks into separate instruction

More information

CERTIFICATION OBJECTIVES

CERTIFICATION OBJECTIVES 9 Threads CERTIFICATION OBJECTIVES Defining, Instantiating, and Starting Threads Preventing Thread Execution Synchronizing Code Thread Interaction Q&A Two-Minute Drill Self Test 2 Chapter 9: Threads CERTIFICATION

More information

CS/B.TECH/CSE(OLD)/SEM-6/CS-605/2012 OBJECT ORIENTED PROGRAMMING. Time Allotted : 3 Hours Full Marks : 70

CS/B.TECH/CSE(OLD)/SEM-6/CS-605/2012 OBJECT ORIENTED PROGRAMMING. Time Allotted : 3 Hours Full Marks : 70 CS/B.TECH/CSE(OLD)/SEM-6/CS-605/2012 2012 OBJECT ORIENTED PROGRAMMING Time Allotted : 3 Hours Full Marks : 70 The figures in the margin indicate full marks. Candidates are required to give their answers

More information

EDA095 Processes and Threads

EDA095 Processes and Threads EDA095 Processes and Threads Pierre Nugues Lund University http://cs.lth.se/pierre_nugues/ April 1st, 2015 Pierre Nugues EDA095 Processes and Threads April 1st, 2015 1 / 65 Time-Sharing Operating Systems

More information

Threads & Timers. CSE260, Computer Science B: Honors Stony Brook University

Threads & Timers. CSE260, Computer Science B: Honors Stony Brook University Threads & Timers CSE260, Computer Science B: Honors Stony Brook University http://www.cs.stonybrook.edu/~cse260 Multi-tasking When you re working, how many different applications do you have open at one

More information

CS 455: INTRODUCTION TO DISTRIBUTED SYSTEMS [THREADS] Frequently asked questions from the previous class survey

CS 455: INTRODUCTION TO DISTRIBUTED SYSTEMS [THREADS] Frequently asked questions from the previous class survey CS 455: INTRODUCTION TO DISTRIBUTED SYSTEMS [THREADS] Shrideep Pallickara Computer Science Colorado State University L6.1 Frequently asked questions from the previous class survey L6.2 SLIDES CREATED BY:

More information

Concurrent Programming

Concurrent Programming Concurrency Concurrent Programming A sequential program has a single thread of control. Its execution is called a process. A concurrent program has multiple threads of control. They may be executed as

More information

Threads. What Is a Thread? Customizing a Thread's run Method. Understanding Threads. Subclassing Thread and Overriding run. Thread Objects.

Threads. What Is a Thread? Customizing a Thread's run Method. Understanding Threads. Subclassing Thread and Overriding run. Thread Objects. Threads A thread is a flow of control in a program. The Java Virtual Machine allows an application to have multiple threads of execution running concurrently. When a Java Virtual Machine starts up, there

More information

CS342: Software Design. November 21, 2017

CS342: Software Design. November 21, 2017 CS342: Software Design November 21, 2017 Runnable interface: create threading object Thread is a flow of control within a program Thread vs. process All execution in Java is associated with a Thread object.

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

CS455: Introduction to Distributed Systems [Spring 2019] Dept. Of Computer Science, Colorado State University

CS455: Introduction to Distributed Systems [Spring 2019] Dept. Of Computer Science, Colorado State University CS 455: INTRODUCTION TO DISTRIBUTED SYSTEMS [THREADS] The House of Heap and Stacks Stacks clean up after themselves But over deep recursions they fret The cheerful heap has nary a care Harboring memory

More information

Synchronization synchronization.

Synchronization synchronization. Unit 4 Synchronization of threads using Synchronized keyword and lock method- Thread pool and Executors framework, Futures and callable, Fork-Join in Java. Deadlock conditions 1 Synchronization When two

More information

CS211 Lecture: Concurrency, Threads; UML Activity Diagrams last revised October 11, 2007 Objectives

CS211 Lecture: Concurrency, Threads; UML Activity Diagrams last revised October 11, 2007 Objectives CS211 Lecture: Concurrency, Threads; UML Activity Diagrams last revised October 11, 2007 Objectives 1. To introduce the notion of concurrency 2. To introduce the Java threads facility 3. To introduce UML

More information

http://www.ugrad.cs.ubc.ca/~cs219/coursenotes/threads/intro.html http://download.oracle.com/docs/cd/e17409_01/javase/tutorial/essential/concurrency/index.html start() run() class SumThread extends

More information

DOWNLOAD PDF CORE JAVA APTITUDE QUESTIONS AND ANSWERS

DOWNLOAD PDF CORE JAVA APTITUDE QUESTIONS AND ANSWERS Chapter 1 : Chapter-wise Java Multiple Choice Questions and Answers Interview MCQs Java Programming questions and answers with explanation for interview, competitive examination and entrance test. Fully

More information

Threads and Parallelism in Java

Threads and Parallelism in Java Threads and Parallelism in Java Java is one of the few main stream programming languages to explicitly provide for user-programmed parallelism in the form of threads. A Java programmer may organize a program

More information

Concurrency & Synchronization. COMPSCI210 Recitation 25th Feb 2013 Vamsi Thummala Slides adapted from Landon Cox

Concurrency & Synchronization. COMPSCI210 Recitation 25th Feb 2013 Vamsi Thummala Slides adapted from Landon Cox Concurrency & Synchronization COMPSCI210 Recitation 25th Feb 2013 Vamsi Thummala Slides adapted from Landon Cox Midterm Review http://www.cs.duke.edu/~chase/cps11 0-archive/midterm-210-13s1.pdf Please

More information