首页 技术 正文
技术 2022年11月17日
0 收藏 777 点赞 4,258 浏览 7247 个字

Java5增加了新的类库并发集java.util.concurrent,该类库为并发程序提供了丰富的API多线程编程在Java 5中更加容易,灵活。本文通过一个网络服务器模型,来实践Java5的多线程编程,该模型中使用了Java5中的线程池,阻塞队列,可重入锁等,还实践了 Callable, Future等接口,并使用了Java 5的另外一个新特性泛型。

  简介

  本文将实现一个网络服务器模型,一旦有客户端连接到该服务器,则启动一个新线程为该连接服务,服务内容为往客户端输送一些字符信息。一个典型的网络服务器模型如下:

  1. 建立监听端口。

  2. 发现有新连接,接受连接,启动线程,执行服务线程。 3. 服务完毕,关闭线程。

  这个模型在大部分情况下运行良好,但是需要频繁的处理用户请求而每次请求需要的服务又是简短的时候,系统会将大量的时间花费在线程的创建销
毁。Java
5的线程池克服了这些缺点。通过对重用线程来执行多个任务,避免了频繁线程的创建与销毁开销,使得服务器的性能方面得到很大提高。因此,本文的网络服务器
模型将如下:

  1. 建立监听端口,创建线程池。

  2. 发现有新连接,使用线程池来执行服务任务。

  3. 服务完毕,释放线程到线程池。

  下面详细介绍如何使用Java 5的concurrent包提供的API来实现该服务器。

  初始化

  初始化包括创建线程池以及初始化监听端口。创建线程池可以通过调用java.util.concurrent.Executors类里的静态
方法newChahedThreadPool或是newFixedThreadPool来创建,也可以通过新建一个
java.util.concurrent.ThreadPoolExecutor实例来执行任务。这里我们采用newFixedThreadPool方
法来建立线程池。

ExecutorService pool = Executors.newFixedThreadPool(10);

  表示新建了一个线程池,线程池里面有10个线程为任务队列服务。

  使用ServerSocket对象来初始化监听端口。

private static final int PORT = 19527;

serverListenSocket = new ServerSocket(PORT);

serverListenSocket.setReuseAddress(true);

serverListenSocket.setReuseAddress(true);

  服务新连接

  当有新连接建立时,accept返回时,将服务任务提交给线程池执行。

while(true){

 Socket socket = serverListenSocket.accept();

 pool.execute(new ServiceThread(socket));

}

  这里使用线程池对象来执行线程,减少了每次线程创建和销毁的开销。任务执行完毕,线程释放到线程池。

  服务任务

  服务线程ServiceThread维护一个count来记录服务线程被调用的次数。每当服务任务被调用一次时,count的值自增1,因此
ServiceThread提供一个increaseCount和getCount的方法,分别将count值自增1和取得该count值。由于可能多个
线程存在竞争,同时访问count,因此需要加锁机制,在Java 5之前,我们只能使用synchronized来锁定。Java
5中引入了性能更加粒度更细的重入锁ReentrantLock。我们使用ReentrantLock保证代码线程安全。下面是具体代码:

private static ReentrantLock lock = new ReentrantLock ();

private static int count = 0;

private int getCount(){

 int ret = 0;

 try{

  lock.lock();

  ret = count;

 }finally{

  lock.unlock();

 }

 return ret;

}

private void increaseCount(){

 try{

  lock.lock();

  ++count;

 }finally{

  lock.unlock();

 }

}

  服务线程在开始给客户端打印一个欢迎信息,

increaseCount();

int curCount = getCount();

helloString = “hello, id = ” + curCount+”\r\n”;

dos = new DataOutputStream(connectedSocket.getOutputStream());

dos.write(helloString.getBytes());

  然后使用ExecutorService的submit方法提交一个Callable的任务,返回一个Future接口的引用。这种做法对费
时的任务非常有效,submit任务之后可以继续执行下面的代码,然后在适当的位置可以使用Future的get方法来获取结果,如果这时候该方法已经执
行完毕,则无需等待即可获得结果,如果还在执行,则等待到运行完毕。

ExecutorService executor = Executors.newSingleThreadExecutor();

Future future = executor.submit(new TimeConsumingTask());

dos.write(“let’s do soemthing other”.getBytes());

String result = future.get();

dos.write(result.getBytes());

  其中TimeConsumingTask实现了Callable接口

class TimeConsumingTask implements Callable {

 public String call() throws Exception {

  System.out.println(“It’s a time-consuming task, you’d better retrieve your result in the furture”);

  return “ok, here’s the result: It takes me lots of time to produce this result”;

 }

}

  这里使用了Java
5的另外一个新特性泛型,声明TimeConsumingTask的时候使用了String做为类型参数。必须实现Callable接口的call函数,
其作用类似与Runnable中的run函数,在call函数里写入要执行的代码,其返回值类型等同于在类声明中传入的类型值。在这段程序中,我们提交了
一个Callable的任务,然后程序不会堵塞,而是继续执行dos.write(“let’s do soemthing
other”.getBytes());当程序执行到String result =
future.get()时如果call函数已经执行完毕,则取得返回值,如果还在执行,则等待其执行完毕。

服务器端的完整实现

  服务器端的完整实现代码如下:

    1. package demo;
    2. import java.io.DataOutputStream;
    3. import java.io.IOException;
    4. import java.io.Serializable;
    5. import java.net.ServerSocket;
    6. import java.net.Socket;
    7. import java.util.concurrent.ArrayBlockingQueue;
    8. import java.util.concurrent.BlockingQueue;
    9. import java.util.concurrent.Callable;
    10. import java.util.concurrent.ExecutionException;
    11. import java.util.concurrent.ExecutorService;
    12. import java.util.concurrent.Executors;
    13. import java.util.concurrent.Future;
    14. import java.util.concurrent.RejectedExecutionHandler;
    15. import java.util.concurrent.ThreadPoolExecutor;
    16. import java.util.concurrent.TimeUnit;
    17. import java.util.concurrent.locks.ReentrantLock;
    18. public class Server
    19. {
    20. private static int produceTaskSleepTime = 100;
    21. private static int consumeTaskSleepTime = 1200;
    22. private static int produceTaskMaxNumber = 100;
    23. private static final int CORE_POOL_SIZE = 2;
    24. private static final int MAX_POOL_SIZE = 100;
    25. private static final int KEEPALIVE_TIME = 3;
    26. private static final int QUEUE_CAPACITY = (CORE_POOL_SIZE + MAX_POOL_SIZE) / 2;
    27. private static final TimeUnit TIME_UNIT = TimeUnit.SECONDS;
    28. private static final String HOST = “127.0.0.1”;
    29. private static final int PORT = 19527;
    30. private BlockingQueue workQueue = new ArrayBlockingQueue(QUEUE_CAPACITY);
    31. // private ThreadPoolExecutor serverThreadPool = null;
    32. private ExecutorService pool = null;
    33. private RejectedExecutionHandler rejectedExecutionHandler = new ThreadPoolExecutor.DiscardOldestPolicy();
    34. private ServerSocket serverListenSocket = null;
    35. private int times = 5;
    36. public void start()
    37. {
    38. // You can also init thread pool in this way.
    39. /*
    40. * serverThreadPool = new ThreadPoolExecutor(CORE_POOL_SIZE, MAX_POOL_SIZE, KEEPALIVE_TIME, TIME_UNIT, workQueue, rejectedExecutionHandler);
    41. */
    42. pool = Executors.newFixedThreadPool(10);
    43. try
    44. {
    45. serverListenSocket = new ServerSocket(PORT);
    46. serverListenSocket.setReuseAddress(true);
    47. System.out.println(“I’m listening”);
    48. while (times– > 0)
    49. {
    50. Socket socket = serverListenSocket.accept();
    51. String welcomeString = “hello”;
    52. // serverThreadPool.execute(new ServiceThread(socket, welcomeString));
    53. pool.execute(new ServiceThread(socket));
    54. }
    55. }
    56. catch (IOException e)
    57. {
    58. // TODO Auto-generated catch block
    59. e.printStackTrace();
    60. }
    61. cleanup();
    62. }
    63. public void cleanup()
    64. {
    65. if (null != serverListenSocket)
    66. {
    67. try
    68. {
    69. serverListenSocket.close();
    70. }
    71. catch (IOException e)
    72. {
    73. // TODO Auto-generated catch block
    74. e.printStackTrace();
    75. }
    76. }
    77. // serverThreadPool.shutdown();
    78. pool.shutdown();
    79. //
      调用 shutdown() 方法之后,主线程就马上结束了,而线程池会继续运行直到所有任务执行完才会停止。如果不调用 shutdown() 方法,
      那么线程池会一直保持下去,以便随时添加新的任务。interrupt():只有阻塞(sleep,wait,join的线程调用他们的
      interrupt()才起作用,正在运行的线程不起作用也不抛异常)
    80. }
    81. public static void main(String args[])
    82. {
    83. Server server = new Server();
    84. server.start();
    85. }
    86. }
    87. class ServiceThread implements Runnable, Serializable
    88. {
    89. private static final long serialVersionUID = 0;
    90. private Socket connectedSocket = null;
    91. private String helloString = null;
    92. private static int count = 0;
    93. private static ReentrantLock lock = new ReentrantLock();
    94. ServiceThread(Socket socket)
    95. {
    96. connectedSocket = socket;
    97. }
    98. public void run()
    99. {
    100. increaseCount();
    101. int curCount = getCount();
    102. helloString = “hello, id = ” + curCount + “\r\n”;
    103. ExecutorService executor = Executors.newSingleThreadExecutor();
    104. Future<String> future = executor.submit(new TimeConsumingTask());
    105. DataOutputStream dos = null;
    106. try
    107. {
    108. dos = new DataOutputStream(connectedSocket.getOutputStream());
    109. dos.write(helloString.getBytes());
    110. try
    111. {
    112. dos.write(“let’s do soemthing other.\r\n”.getBytes());
    113. String result = future.get();
    114. dos.write(result.getBytes());
    115. }
    116. catch (InterruptedException e)
    117. {
    118. e.printStackTrace();
    119. }
    120. catch (ExecutionException e)
    121. {
    122. e.printStackTrace();
    123. }
    124. }
    125. catch (IOException e)
    126. {
    127. // TODO Auto-generated catch block
    128. e.printStackTrace();
    129. }
    130. finally
    131. {
    132. if (null != connectedSocket)
    133. {
    134. try
    135. {
    136. connectedSocket.close();
    137. }
    138. catch (IOException e)
    139. {
    140. // TODO Auto-generated catch block
    141. e.printStackTrace();
    142. }
    143. }
    144. if (null != dos)
    145. {
    146. try
    147. {
    148. dos.close();
    149. }
    150. catch (IOException e)
    151. {
    152. // TODO Auto-generated catch block
    153. e.printStackTrace();
    154. }
    155. }
    156. executor.shutdown();
    157. }
    158. }
    159. private int getCount()
    160. {
    161. int ret = 0;
    162. try
    163. {
    164. lock.lock();
    165. ret = count;
    166. }
    167. finally
    168. {
    169. lock.unlock();
    170. }
    171. return ret;
    172. }
    173. private void increaseCount()
    174. {
    175. try
    176. {
    177. lock.lock();
    178. ++count;
    179. }
    180. finally
    181. {
    182. lock.unlock();
    183. }
    184. }
    185. }
    186. class TimeConsumingTask implements Callable<String>
    187. {
    188. public String call() throws Exception
    189. {
    190. System.out.println(“It’s a time-consuming task, you’d better retrieve your result in the furture”);
    191. return “ok, here’s the result: It takes me lots of time to produce this result”;
    192. }
    193. }
相关推荐
python开发_常用的python模块及安装方法
adodb:我们领导推荐的数据库连接组件bsddb3:BerkeleyDB的连接组件Cheetah-1.0:我比较喜欢这个版本的cheeta…
日期:2022-11-24 点赞:878 阅读:9,075
Educational Codeforces Round 11 C. Hard Process 二分
C. Hard Process题目连接:http://www.codeforces.com/contest/660/problem/CDes…
日期:2022-11-24 点赞:807 阅读:5,551
下载Ubuntn 17.04 内核源代码
zengkefu@server1:/usr/src$ uname -aLinux server1 4.10.0-19-generic #21…
日期:2022-11-24 点赞:569 阅读:6,399
可用Active Desktop Calendar V7.86 注册码序列号
可用Active Desktop Calendar V7.86 注册码序列号Name: www.greendown.cn Code: &nb…
日期:2022-11-24 点赞:733 阅读:6,176
Android调用系统相机、自定义相机、处理大图片
Android调用系统相机和自定义相机实例本博文主要是介绍了android上使用相机进行拍照并显示的两种方式,并且由于涉及到要把拍到的照片显…
日期:2022-11-24 点赞:512 阅读:7,811
Struts的使用
一、Struts2的获取  Struts的官方网站为:http://struts.apache.org/  下载完Struts2的jar包,…
日期:2022-11-24 点赞:671 阅读:4,893