Socket vs SocketChannel
Solution 1:
A Socket
is a blocking input/output device. It makes the Thread
that is using it to block on reads and potentially also block on writes if the underlying buffer is full. Therefore, you have to create a bunch of different threads if your server has a bunch of open Socket
s.
A SocketChannel
is a non-blocking way to read from sockets, so that you can have one thread communicate with a bunch of open connections at once. This works by adding a bunch of SocketChannel
s to a Selector
, then looping on the selector's select()
method, which can notify you if sockets have been accepted, received data, or closed. This allows you to communicate with multiple clients in one thread and not have the overhead of multiple threads and synchronization.
Buffer
s are another feature of NIO that allows you to access the underlying data from reads and writes to avoid the overhead of copying data into new arrays.
Solution 2:
By now NIO
is so old that few remember what Java was like before 1.4, which is what you need to know in order to understand the "why" of NIO
.
In a nutshell, up to Java 1.3, all I/O was of the blocking type. And worse, there was no analog of the select()
system call to multiplex I/O. As a result, a server implemented in Java had no choice but to employ a "one-thread-per-connection" service strategy.
The basic point of NIO, introduced in Java 1.4, was to make the functionality of traditional UNIX-style multiplexed non-blocking I/O available in Java. If you understand how to program with select()
or poll()
to detect I/O readiness on a set of file descriptors (sockets, usually), then you will find the services you need for that in NIO
: you will use SocketChannel
s for non-blocking I/O endpoints, and Selector
s for fdsets or pollfd arrays. Servers with threadpools, or with threads handling more than one connection each, now become possible. That's the "extra".
A Buffer
is the kind of byte array you need for non-blocking socket I/O, especially on the output/write side. If only part of a buffer can be written immediately, with blocking I/O your thread will simply block until the entirety can be written. With non-blocking I/O, your thread gets a return value of how much was written, leaving it up to you to handle the left-over for the next round. A Buffer
takes care of such mechanical details by explicitly implementing a producer/consumer pattern for filling and draining, it being understood that your threads and the JVM's kernel will not be in sync.