SlideShare a Scribd company logo
Programming with
 Threads in Java
  koji lin@twjug 2012/9/15
java.lang.Thread
Multiple Threads with in the same program can be
scheduled simultaneously on multiple CPUs.
Most modern operating systems treat threads, not
processes, as the basic units of scheduling
  ~Java concurrency in practice
On a computer with multiprocessors, processes or
threads can run on different processors
  ~MSDN Threads and Processes
其實只想講上面兩段
  ,結束(誤)
Thread Basics
Threads are everywhere
●   JVM creates thread for GC
●   AWT, Swing and JavaFX use event dispatch
    thread
●   Timer for deferred tasks
●   Application server handles multiple client
    –   Servlet must be thread-safe
●   RMI
What is Thread?
●   Process
    –   A program in execution
    –   Providing the resources needed to execute a
        program
    –   One process can't access or modify other
        process
What is Thread?
●   Thread
    –   A basic unit of CPU utilization
    –   Lightweight process (LWP)
    –   Multiple threads are executed within a
        process
        ●   Share process's virtual address space
            and system resource
Thread and Process
Benefits of Thread
Multithreading Models
●   User threads
    –   Efficient, flexible
    –   Above the kernel, without kernel support
●   Kernel threads
    –   kernel can assign one thread to each logical core
        in a system
Multithreading Models
●   User Level Threading
    –   Many-to-One(N:1)
    –   Green Threads, GNU Portable Threads
●   Kernel Level Threading
    –   One-to-One(1:1)
    –   FreeBSD, Linux, Windows, Mac, Solaris...
●   Hybrid
    –   Many-to-Many(M:N)
    –   Solaris(before 9), Tru64 Unix
Java on each OS
●   Windows
    –   Native thread(Windows 95/NT)
●   Linux
    –   Native thread since JDK 1.3
    –   LinuxThread, NPTL(Since Red Hat 9)
●   FreeBSD
    –   Native thread since JDK 1.3.1
    –   libpthread(FreeBSD 5.3)
    –   libthr(FreeBSD 7)
How JVM creates thread?
●   Thread.java
    –   Start0 invokes StartThread
●   jvm.cc
    –   VM_ENTRY(void, JVM_StartThread(JNIEnv* env, jobject
        jthread)) invokes JavaThread
●   Thread.cpp
    –   JavaThread::JavaThread invokes os::create_thread
●   os_windows.cpp, os_linux.cpp,
    os_bsd.cpp
    –   Win32 Thread,NPTL, libthr
Does JVM do
something special?
No!!
So, Why Thread in Java?
●   Thread is inescapable feature of Java
●   Take advantage of multiprocessor system
●   Simplify modeling
●   Thread is cheap
●   Don't need to worry about memory
    model in different environment
Risks
●   Safety Hazards
    –   synchronization
●   Liveness Hazards
    –   deadlock
    –   starvation
●   Performance Hazards
    –   context switch
    –   synchronization
Thread safety
●   Behaves correctly when accessed from multiple
    threads, and there is no synchronization or
    coordination on caller
    –   java.text.SimpleDateFormat is not thread safe
    –   Stateless servlet is safe
Race conditions
●   The output is dependent on the sequence or
    timing of other uncontrollable events

    1)
    if(!map.containsKey(key)){
         map.put(key,value);
    }
    2)
    int n;
    int calculate(){
         return n++;
    }
Synchronized
●   Only one thread can execute the block of code
    protected by the same lock at the same time
●   Ensures that each thread entering a
    synchronized block of code sees the effects of
    all previous modifications that were guarded by
    the same lock

    synchronized(object) {
       //do something...
       …
    }
Visibility problem
●   There is no guarantee that the reading thread
    will see a value written by another thread
●   Using lock or volatile variable
Immutability
●   Immutable object is always thread-safe
    –   Its state cannot be modified after construction
    –   All its fields are final
    –   It is properly constructed
        (object doesn't escape during construction)
●   Even when synchronization is not used
    to publish the object reference
Safe publication
●   Objects that are not immutable must be safely
    published
●   A properly constructed object can be safely
    published by:
    –   Initializing an object reference form static initializer
    –   Storing into volatile or AtomicReference
    –   Storing into a final field of properly
        constructed object
    –   Storing into a field properly guarded by
        lock
Java Memory Model(JSR-133)
●   Defines the semantics of multithreaded
    programs
    –   Ensure your program run on all processor
        architecture
●   Happens-before
    –   If no, JVM is free to reorder
●   New guarantees for Volatile
●   Initialization Safety
    –   final
Happens-before
●   Program order
●   Monitor lock
    –   explicit Lock object
●   Volatile variable
    –   AtomicXXX
●   Thread start, termination
●   Interruption
Happens-before
●   Finalizer
●   Some class libraries
    –   Concurrent containers
●   Transitivity
    –   A -> B ,B -> C then A -> C
Volatile
  Map configOptions;
  volatile boolean initialized = false;


  // In Thread A
  configOptions = new HashMap();
  ConfigOptions.put();
  initialized = true;


  // In Thread B
  while (!initialized)
   sleep();
  // use configOptions
Initialization Safety
●   When object is properly constructed, then all
    threads will see the values for its final fields
    that were set in its constructor, regardless of
    whether or not synchronization is used

●   Similar to a happens-before relationship
    between the write of a final field in a
    constructor and the initial load of a
    shared reference to that object in
    another thread
Executor framework
●   If we have lots of tasks with threads, we need
    to consider:
    –   How many thread should we create?
    –   How to stop them?
    –   What happened when a task failed?
Executor framework
●   Executor manages running tasks
    –   Submit a Runnable to be run with
        Executor#execute()
     final ExecutorService executor = ...;

     executor.execute(new Runnable(){
           @Override
           public void run(){
               // do the task
           }
     });
Task cancellation
●   Using interruption
    public class Thread{
         public void interrupt(){}
         public boolean isInterrupted(){}
         public static boolean interrupted(){}
    }

●   Responding to interruption
    –   throw exception again
    –   set interruption status
Non-interruptible block
●   Synchronous Socket IO
    –   Close socket
●   Lock
    –   Using explicit Lock and lockInterruptibly
java.util.concurrent.*
●   Atomic*
●   Lock
    –   ReentrantLock
    –   ReadWrtieLock
●   CountDownLatch
●   Semaphore
●   ConcurrentHashMap
●   Fork/Join (Java SE 7)
Atomic*
●   Lock-free thread-safe on single variable
●   AtomicInteger, AtomicLong, AtomicReference
    , etc.
    –   getAndAdd, addAndGet, incrementAndGet,
        decrementAndGet, compareAndSet, etc.
●   AtomicStampedReference,
    AtomicMarkableReference
    –   ABA problem
Lock
interface Lock {
   void lock();
   void unlock();
   …
}

●   Only one thread can hold a lock at once
●   ReentrantLock
    –   Can be reacquired by same thread
    –   Other threads can't acquire lock until
        has been released same number of
        times has been acquired
ReadWriteLock(1)
●   Readers-writers problem
    –   同時有複數個讀與寫的動作想要執行 , 當有寫入動作
        時,其他讀寫都不能執行;而沒有寫入動作時,則可
        同時執行多個讀取。
●   Writer starvation/Writer preference
●   Fair/Unfair mode
    –   是否依照抵達順序
    –   實作上看似仍會去避免無限期延遲的狀況
ReadWriteLock(2)
●
    Fair - 當 reader 取得 lock 後有 writer 在等待,
    那麼之後的 reader 將會等到該 writer 取得並釋
    放後才能取得。
●
    Unfair - 當 Queue 中沒有 reader 時,行為同上 ;
    但是當新的 reader 到達時,還有 reader 在
    deque ,則新 reader 會跳過等待的
    writer 先執行。 (bug id:6816565)
Semaphore
●   Counting Semaphore
●
    用於管理有限資源存取
    –   例如 Pool
●   acquire(), tryAcquire()
    –   當計數不為 0 時,內部計數減1並允許執行
    –   如果計數為 0 則等待直到計數不為 0
●   release()
    –   內部計數加1
ConcurrentHashMap
●   We love HashMap
    –   An easy to use Key-Value store
●   Some new methods aware concurrency
    –   putIfAbsent
    –   remove(key, value)
    –   replace(key, value)
    –   replace(key, old value, new value)
JDK7 Fork/Join
●   Fine-Grain Parallelism
    1.Divide large task into small tasks
    2.Process each task in separate thread
    3.Join results
●   ForkJoinPool
●   ForkJoinTask
    –   RecursiveTask
    –   RecursiveAction
JDK7 Fork/Join
●   Work Stealing
JDK8 ParallelIterable

    public interface ParallelIterable<T> ... {
          void forEach(Block<? super T> block)...
    ...
    }
●   Based on Fork/Join
●   More elegant with lambda

    users.parallel().forEach( u -> {...});
    users.parallel().sorted( (u1, u2) ->
        u1.name.compareTo(u2.name));
Useful tools
●   ps -eLF
    –   show thread and process information
●   jstack, jcmd
    –   command line, useful on server environment
●   Jconsole, VisualVM
    –   visual tool integrate commands and tools
Is multithreaded
 programming
    hard ?
Yes
More...
●   To utilize multiprocessor, which one is better?
    –   Thread or Process
●   Performance
    –   How many thread is enough? Or only one thread?
●   Other language or platform
    –   Python, Ruby, C, Node.js, .Net, etc.
Reference
●   WIKIPEDIA Thread
    –   http://en.wikipedia.org/wiki/Thread_(computing)
●   Extending the Haskell Foreign Function
    Interface with Concurrency
    –   Simon Marlow, Simon Peyton Jones, and Wolfgang
        Thaller, Haskell workshop 2004.
●   JSR-133
●   http://www.cs.umd.edu/~pugh/java/memoryMod
    el/jsr-133-faq.html#volatile
Reference
●   Java Concurrency in Practice
●   Performance of Multi-Process and Multi-
    ThreadProcessing on Multi-core SMT
    Processors
    –   https://www.research.ibm.com/trl/people/inouehrs/p
        df/IISWC2010_inoue_slides.pdf
●   Java Technology on the Linux Platform
    –   http://java.sun.com/developer/
        technicalArticles/Programming/linux/
●   http://hg.openjdk.java.net/
Reference
●   Java theory and practice: Fixing the Java
    Memory Model, Part 2
    –   http://www.ibm.com/developerworks/library/j-
        jtp03304/
●   Programming with POSIX Threads
●   Kernel Programming Guide(OS X)
    –   https://developer.apple.com/library/mac/#document
        ation/Darwin/Conceptual/KernelProgramming/Mach
        /Mach.html

More Related Content

PDF
javathreads
PPT
Threads in Java
PDF
Java Thread Synchronization
PPT
Threads in java
PDF
Threads concept in java
PDF
Java threading
PPT
Synchronization.37
PPT
Java multi threading
javathreads
Threads in Java
Java Thread Synchronization
Threads in java
Threads concept in java
Java threading
Synchronization.37
Java multi threading

What's hot (20)

ODP
Multithreading In Java
PPTX
Java Thread & Multithreading
PPT
Thread model in java
PPT
Java Threads and Concurrency
PPTX
Multi threading
PPTX
Thread model of java
PPTX
Multithread Programing in Java
PPSX
Multithreading in-java
PPTX
Advanced Introduction to Java Multi-Threading - Full (chok)
PPT
Learning Java 3 – Threads and Synchronization
PPT
Java thread
PPT
Thread
PPT
Java concurrency
PPT
Java And Multithreading
PDF
Java Course 10: Threads and Concurrency
PPT
java threads
PPT
12 multi-threading
 
PPTX
L22 multi-threading-introduction
PDF
Multithreading in Java
Multithreading In Java
Java Thread & Multithreading
Thread model in java
Java Threads and Concurrency
Multi threading
Thread model of java
Multithread Programing in Java
Multithreading in-java
Advanced Introduction to Java Multi-Threading - Full (chok)
Learning Java 3 – Threads and Synchronization
Java thread
Thread
Java concurrency
Java And Multithreading
Java Course 10: Threads and Concurrency
java threads
12 multi-threading
 
L22 multi-threading-introduction
Multithreading in Java
Ad

Viewers also liked (20)

PPTX
Spring mvc
PPTX
Applet java
ODP
Exception Handling In Java
PPS
PPS
Java Exception handling
PPTX
Thread priorities
PDF
7th semester VTU BE CS & IS question papers from 2010 to July 2016
PPS
Files & IO in Java
PPTX
Unidad 1 MOOC MVC
PDF
Become a Great Communicator
PDF
What We Talk About When We Talk About Unit Testing
PPTX
Spoken english classes in kalewadi phata
PDF
Speak better English here's how.
PDF
My History
PPTX
1st qtr 16 use variety of sentences
PDF
Spring mvc
ODP
IO In Java
PDF
Writing code you won't hate tomorrow
PDF
Design Pattern From Java To Ruby
PDF
VTU PCD Model Question Paper - Programming in C
Spring mvc
Applet java
Exception Handling In Java
Java Exception handling
Thread priorities
7th semester VTU BE CS & IS question papers from 2010 to July 2016
Files & IO in Java
Unidad 1 MOOC MVC
Become a Great Communicator
What We Talk About When We Talk About Unit Testing
Spoken english classes in kalewadi phata
Speak better English here's how.
My History
1st qtr 16 use variety of sentences
Spring mvc
IO In Java
Writing code you won't hate tomorrow
Design Pattern From Java To Ruby
VTU PCD Model Question Paper - Programming in C
Ad

Similar to Programming with Threads in Java (20)

PDF
Java Threads: Lightweight Processes
PPTX
Threading in java - a pragmatic primer
PPTX
Concurrency in Java
KEY
Modern Java Concurrency (OSCON 2012)
KEY
Modern Java Concurrency (Devoxx Nov/2011)
KEY
Modern Java Concurrency
PPTX
Multithreading and concurrency in android
PDF
J threads-pdf
PDF
Java Concurrency in Practice
PPTX
Concurrency
PPTX
Threading.pptx
ODP
Java Concurrency
PPTX
Multithreading in java
PPT
Java Multithreading and Concurrency
PPTX
Java concurrency
PPT
Java Core | Modern Java Concurrency | Martijn Verburg & Ben Evans
PDF
Java Concurrency Quick Guide
PDF
Concurrency on the JVM
PPT
JAVA MULTITHREDED PROGRAMMING - LECTURES
PPTX
The Java Memory Model
Java Threads: Lightweight Processes
Threading in java - a pragmatic primer
Concurrency in Java
Modern Java Concurrency (OSCON 2012)
Modern Java Concurrency (Devoxx Nov/2011)
Modern Java Concurrency
Multithreading and concurrency in android
J threads-pdf
Java Concurrency in Practice
Concurrency
Threading.pptx
Java Concurrency
Multithreading in java
Java Multithreading and Concurrency
Java concurrency
Java Core | Modern Java Concurrency | Martijn Verburg & Ben Evans
Java Concurrency Quick Guide
Concurrency on the JVM
JAVA MULTITHREDED PROGRAMMING - LECTURES
The Java Memory Model

More from koji lin (18)

PDF
サーバーサイドでの非同期処理で色々やったよ
PPTX
G1GC
PDF
Using armeria to write your RPC
PDF
使用 Java 上的 future/promise API
PDF
Annotation processing and code gen
PDF
Jcconf
PDF
Use Lambdas in Android
PDF
docker intro
PDF
Java8 time
PDF
Java8 stream
PDF
Java8 lambda
PDF
Idea13
ODP
CompletableFuture
ODP
Raspberry Pi with Java
PDF
Services you can use to monitor and analyze mobile app
PDF
JQuery
PPT
山頂洞人日記 - 回歸到最純樸的開發
ODP
Android Location-based應用開發分享
サーバーサイドでの非同期処理で色々やったよ
G1GC
Using armeria to write your RPC
使用 Java 上的 future/promise API
Annotation processing and code gen
Jcconf
Use Lambdas in Android
docker intro
Java8 time
Java8 stream
Java8 lambda
Idea13
CompletableFuture
Raspberry Pi with Java
Services you can use to monitor and analyze mobile app
JQuery
山頂洞人日記 - 回歸到最純樸的開發
Android Location-based應用開發分享

Recently uploaded (20)

PDF
Unlocking AI with Model Context Protocol (MCP)
PDF
NewMind AI Monthly Chronicles - July 2025
PDF
Approach and Philosophy of On baking technology
PDF
Reach Out and Touch Someone: Haptics and Empathic Computing
PPTX
MYSQL Presentation for SQL database connectivity
PPTX
PA Analog/Digital System: The Backbone of Modern Surveillance and Communication
PPTX
Understanding_Digital_Forensics_Presentation.pptx
PDF
CIFDAQ's Market Insight: SEC Turns Pro Crypto
DOCX
The AUB Centre for AI in Media Proposal.docx
PPTX
Cloud computing and distributed systems.
PDF
Bridging biosciences and deep learning for revolutionary discoveries: a compr...
PDF
Build a system with the filesystem maintained by OSTree @ COSCUP 2025
PDF
Electronic commerce courselecture one. Pdf
PDF
Modernizing your data center with Dell and AMD
PDF
The Rise and Fall of 3GPP – Time for a Sabbatical?
PDF
Review of recent advances in non-invasive hemoglobin estimation
PDF
Shreyas Phanse Resume: Experienced Backend Engineer | Java • Spring Boot • Ka...
PDF
Empathic Computing: Creating Shared Understanding
PPT
“AI and Expert System Decision Support & Business Intelligence Systems”
PPTX
Detection-First SIEM: Rule Types, Dashboards, and Threat-Informed Strategy
Unlocking AI with Model Context Protocol (MCP)
NewMind AI Monthly Chronicles - July 2025
Approach and Philosophy of On baking technology
Reach Out and Touch Someone: Haptics and Empathic Computing
MYSQL Presentation for SQL database connectivity
PA Analog/Digital System: The Backbone of Modern Surveillance and Communication
Understanding_Digital_Forensics_Presentation.pptx
CIFDAQ's Market Insight: SEC Turns Pro Crypto
The AUB Centre for AI in Media Proposal.docx
Cloud computing and distributed systems.
Bridging biosciences and deep learning for revolutionary discoveries: a compr...
Build a system with the filesystem maintained by OSTree @ COSCUP 2025
Electronic commerce courselecture one. Pdf
Modernizing your data center with Dell and AMD
The Rise and Fall of 3GPP – Time for a Sabbatical?
Review of recent advances in non-invasive hemoglobin estimation
Shreyas Phanse Resume: Experienced Backend Engineer | Java • Spring Boot • Ka...
Empathic Computing: Creating Shared Understanding
“AI and Expert System Decision Support & Business Intelligence Systems”
Detection-First SIEM: Rule Types, Dashboards, and Threat-Informed Strategy

Programming with Threads in Java

  • 1. Programming with Threads in Java koji lin@twjug 2012/9/15
  • 3. Multiple Threads with in the same program can be scheduled simultaneously on multiple CPUs. Most modern operating systems treat threads, not processes, as the basic units of scheduling ~Java concurrency in practice
  • 4. On a computer with multiprocessors, processes or threads can run on different processors ~MSDN Threads and Processes
  • 7. Threads are everywhere ● JVM creates thread for GC ● AWT, Swing and JavaFX use event dispatch thread ● Timer for deferred tasks ● Application server handles multiple client – Servlet must be thread-safe ● RMI
  • 8. What is Thread? ● Process – A program in execution – Providing the resources needed to execute a program – One process can't access or modify other process
  • 9. What is Thread? ● Thread – A basic unit of CPU utilization – Lightweight process (LWP) – Multiple threads are executed within a process ● Share process's virtual address space and system resource
  • 12. Multithreading Models ● User threads – Efficient, flexible – Above the kernel, without kernel support ● Kernel threads – kernel can assign one thread to each logical core in a system
  • 13. Multithreading Models ● User Level Threading – Many-to-One(N:1) – Green Threads, GNU Portable Threads ● Kernel Level Threading – One-to-One(1:1) – FreeBSD, Linux, Windows, Mac, Solaris... ● Hybrid – Many-to-Many(M:N) – Solaris(before 9), Tru64 Unix
  • 14. Java on each OS ● Windows – Native thread(Windows 95/NT) ● Linux – Native thread since JDK 1.3 – LinuxThread, NPTL(Since Red Hat 9) ● FreeBSD – Native thread since JDK 1.3.1 – libpthread(FreeBSD 5.3) – libthr(FreeBSD 7)
  • 15. How JVM creates thread? ● Thread.java – Start0 invokes StartThread ● jvm.cc – VM_ENTRY(void, JVM_StartThread(JNIEnv* env, jobject jthread)) invokes JavaThread ● Thread.cpp – JavaThread::JavaThread invokes os::create_thread ● os_windows.cpp, os_linux.cpp, os_bsd.cpp – Win32 Thread,NPTL, libthr
  • 17. No!!
  • 18. So, Why Thread in Java? ● Thread is inescapable feature of Java ● Take advantage of multiprocessor system ● Simplify modeling ● Thread is cheap ● Don't need to worry about memory model in different environment
  • 19. Risks ● Safety Hazards – synchronization ● Liveness Hazards – deadlock – starvation ● Performance Hazards – context switch – synchronization
  • 20. Thread safety ● Behaves correctly when accessed from multiple threads, and there is no synchronization or coordination on caller – java.text.SimpleDateFormat is not thread safe – Stateless servlet is safe
  • 21. Race conditions ● The output is dependent on the sequence or timing of other uncontrollable events 1) if(!map.containsKey(key)){ map.put(key,value); } 2) int n; int calculate(){ return n++; }
  • 22. Synchronized ● Only one thread can execute the block of code protected by the same lock at the same time ● Ensures that each thread entering a synchronized block of code sees the effects of all previous modifications that were guarded by the same lock synchronized(object) { //do something... … }
  • 23. Visibility problem ● There is no guarantee that the reading thread will see a value written by another thread ● Using lock or volatile variable
  • 24. Immutability ● Immutable object is always thread-safe – Its state cannot be modified after construction – All its fields are final – It is properly constructed (object doesn't escape during construction) ● Even when synchronization is not used to publish the object reference
  • 25. Safe publication ● Objects that are not immutable must be safely published ● A properly constructed object can be safely published by: – Initializing an object reference form static initializer – Storing into volatile or AtomicReference – Storing into a final field of properly constructed object – Storing into a field properly guarded by lock
  • 26. Java Memory Model(JSR-133) ● Defines the semantics of multithreaded programs – Ensure your program run on all processor architecture ● Happens-before – If no, JVM is free to reorder ● New guarantees for Volatile ● Initialization Safety – final
  • 27. Happens-before ● Program order ● Monitor lock – explicit Lock object ● Volatile variable – AtomicXXX ● Thread start, termination ● Interruption
  • 28. Happens-before ● Finalizer ● Some class libraries – Concurrent containers ● Transitivity – A -> B ,B -> C then A -> C
  • 29. Volatile Map configOptions; volatile boolean initialized = false; // In Thread A configOptions = new HashMap(); ConfigOptions.put(); initialized = true; // In Thread B while (!initialized) sleep(); // use configOptions
  • 30. Initialization Safety ● When object is properly constructed, then all threads will see the values for its final fields that were set in its constructor, regardless of whether or not synchronization is used ● Similar to a happens-before relationship between the write of a final field in a constructor and the initial load of a shared reference to that object in another thread
  • 31. Executor framework ● If we have lots of tasks with threads, we need to consider: – How many thread should we create? – How to stop them? – What happened when a task failed?
  • 32. Executor framework ● Executor manages running tasks – Submit a Runnable to be run with Executor#execute() final ExecutorService executor = ...; executor.execute(new Runnable(){ @Override public void run(){ // do the task } });
  • 33. Task cancellation ● Using interruption public class Thread{ public void interrupt(){} public boolean isInterrupted(){} public static boolean interrupted(){} } ● Responding to interruption – throw exception again – set interruption status
  • 34. Non-interruptible block ● Synchronous Socket IO – Close socket ● Lock – Using explicit Lock and lockInterruptibly
  • 35. java.util.concurrent.* ● Atomic* ● Lock – ReentrantLock – ReadWrtieLock ● CountDownLatch ● Semaphore ● ConcurrentHashMap ● Fork/Join (Java SE 7)
  • 36. Atomic* ● Lock-free thread-safe on single variable ● AtomicInteger, AtomicLong, AtomicReference , etc. – getAndAdd, addAndGet, incrementAndGet, decrementAndGet, compareAndSet, etc. ● AtomicStampedReference, AtomicMarkableReference – ABA problem
  • 37. Lock interface Lock { void lock(); void unlock(); … } ● Only one thread can hold a lock at once ● ReentrantLock – Can be reacquired by same thread – Other threads can't acquire lock until has been released same number of times has been acquired
  • 38. ReadWriteLock(1) ● Readers-writers problem – 同時有複數個讀與寫的動作想要執行 , 當有寫入動作 時,其他讀寫都不能執行;而沒有寫入動作時,則可 同時執行多個讀取。 ● Writer starvation/Writer preference ● Fair/Unfair mode – 是否依照抵達順序 – 實作上看似仍會去避免無限期延遲的狀況
  • 39. ReadWriteLock(2) ● Fair - 當 reader 取得 lock 後有 writer 在等待, 那麼之後的 reader 將會等到該 writer 取得並釋 放後才能取得。 ● Unfair - 當 Queue 中沒有 reader 時,行為同上 ; 但是當新的 reader 到達時,還有 reader 在 deque ,則新 reader 會跳過等待的 writer 先執行。 (bug id:6816565)
  • 40. Semaphore ● Counting Semaphore ● 用於管理有限資源存取 – 例如 Pool ● acquire(), tryAcquire() – 當計數不為 0 時,內部計數減1並允許執行 – 如果計數為 0 則等待直到計數不為 0 ● release() – 內部計數加1
  • 41. ConcurrentHashMap ● We love HashMap – An easy to use Key-Value store ● Some new methods aware concurrency – putIfAbsent – remove(key, value) – replace(key, value) – replace(key, old value, new value)
  • 42. JDK7 Fork/Join ● Fine-Grain Parallelism 1.Divide large task into small tasks 2.Process each task in separate thread 3.Join results ● ForkJoinPool ● ForkJoinTask – RecursiveTask – RecursiveAction
  • 43. JDK7 Fork/Join ● Work Stealing
  • 44. JDK8 ParallelIterable public interface ParallelIterable<T> ... { void forEach(Block<? super T> block)... ... } ● Based on Fork/Join ● More elegant with lambda users.parallel().forEach( u -> {...}); users.parallel().sorted( (u1, u2) -> u1.name.compareTo(u2.name));
  • 45. Useful tools ● ps -eLF – show thread and process information ● jstack, jcmd – command line, useful on server environment ● Jconsole, VisualVM – visual tool integrate commands and tools
  • 47. Yes
  • 48. More... ● To utilize multiprocessor, which one is better? – Thread or Process ● Performance – How many thread is enough? Or only one thread? ● Other language or platform – Python, Ruby, C, Node.js, .Net, etc.
  • 49. Reference ● WIKIPEDIA Thread – http://en.wikipedia.org/wiki/Thread_(computing) ● Extending the Haskell Foreign Function Interface with Concurrency – Simon Marlow, Simon Peyton Jones, and Wolfgang Thaller, Haskell workshop 2004. ● JSR-133 ● http://www.cs.umd.edu/~pugh/java/memoryMod el/jsr-133-faq.html#volatile
  • 50. Reference ● Java Concurrency in Practice ● Performance of Multi-Process and Multi- ThreadProcessing on Multi-core SMT Processors – https://www.research.ibm.com/trl/people/inouehrs/p df/IISWC2010_inoue_slides.pdf ● Java Technology on the Linux Platform – http://java.sun.com/developer/ technicalArticles/Programming/linux/ ● http://hg.openjdk.java.net/
  • 51. Reference ● Java theory and practice: Fixing the Java Memory Model, Part 2 – http://www.ibm.com/developerworks/library/j- jtp03304/ ● Programming with POSIX Threads ● Kernel Programming Guide(OS X) – https://developer.apple.com/library/mac/#document ation/Darwin/Conceptual/KernelProgramming/Mach /Mach.html