8

From J2me doc we know that:

java.lang.InterruptedException Thrown when a thread is waiting, sleeping, or otherwise paused for a long time and another thread interrupts it.

The question is if it's posible to get such exception if from one thread i call Thread.Interupt() for other thread where Run() method of other thread waiting on InputStream.Read(char[]buf) ?

Jonathan Feinberg
  • 44,698
  • 7
  • 80
  • 103
Pirks
  • 322
  • 2
  • 4
  • 16

2 Answers2

6

The behavior of blocking read in response to thread interrupt is, in fact, undefined. See this long-standing bug for details. The short of it is that sometimes you get EOF, sometimes you get IOException.

Jonathan Feinberg
  • 44,698
  • 7
  • 80
  • 103
  • 3
    Usually you don't get anything. – erickson Oct 13 '09 at 16:44
  • NB The long standing bug was resolved in 2011: "This is no longer an issue in jdk7 because legacy interruptible I/O is disabled by default on Solaris. It was never implemented on Winodws, and not has been implemented on Linux since jdk1.3." – user207421 Nov 11 '14 at 02:26
4

Unfortunately, no, the java.io.* classes do not respond to interruptions when they are blocked in read or write methods. Typically what you have to do is close the stream and then handle the IOException that gets thrown. I have this pattern repeated throughout my code:

try {
    for (;;) {
        try {
            inputStream.read(data);

            thread.join();
        }
        catch (IOException exception) {
            // If interrupted this isn't a real I/O error.
            if (Thread.interrupted()) {
                throw new InterruptedException();
            }
            else {
                throw exception;
            }
        }
    }
}
catch (InterruptedException exception) {
}

Alternatively the newer java.nio.* classes do handle interruptions better and generate InterruptedIOExceptions when they are interrupted. Note that this exception is derived from IOException and not from InterruptedException so you will probably need two catch clauses to handle either type of exception, one for InterruptedException and one for InterruptedIOException. And you'll want any inner IOException catch clause to ignore InterruptedIOExceptions.

John Kugelman
  • 349,597
  • 67
  • 533
  • 578