本文主要是介绍java并发编程实战第五章(4)在任务中抛出异常,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
4、在任务中抛出异常
1.非运行时异常:必须在方法上通过throws子句抛出,或者在方法体内通过try,catch方式进行捕捉处理,比如IOException或者
ClassNotFounException异常。
2.运行时异常:z这些异常不需要在方法上通过throws处理,也不需要try,catch处理。
说明:不能再ForkJoin类中的compute()方法中抛出任务非运行时异常,因为这个方法的实现没有包含任何throws声明,因此,需要
包含必须的代码处理相关的异常。另一方面,compute方法可以抛出运行时异常(可以是任何方法或者方法内的对象抛出的异常)。
ForkJoinTask类和ForkJoinPool类的行为与我们期待的可能不同。在控制台上,程序没有结束执行,不能看到任务异常信息,如果异常不能被抛出,那么它只是简单
地将任务吞噬掉,然而我们能够利用ForkJoinTask类的一些方法来获知任务是否有异常抛出,以及抛出的是哪种类型的异常。
在本程序中,虽然运行该程序会抛出异常,但是程序不会停止。在Main方法中,调用原始任务ForkJoinTask类的isCompletedAbnormally()方法,如果主任务或者
它的子任务之一抛出了异常,这个方法将返回true,也可以使用getException()方法来获得抛出的Exception对象。当任务抛出运行时异常时,会影响它的父任务(发送到ForkJoinPool类的任务),以及父任务的父任务,依次类推。
我们需要记住的是在用ForkJoinPool对象,和ForkJoinTask对象开发一个程序时,它们是会抛出异常的,如果不想要这种行为,就得采用其他的方式。
public class Task extends RecursiveTask<Integer>{private int array [];private int start , end;public Task(int[] array, int start, int end) {super();this.array = array;this.start = start;this.end = end;}@Overrideprotected Integer compute() {System.out.printf("Task : Start from %d to %d\n",start,end);if(end - start<10){if((3>start) && (3<end)){throw new RuntimeException("This task throws an Exception : Task from "+start+"to "+end);}try {TimeUnit.SECONDS.sleep(1);} catch (InterruptedException e) {e.printStackTrace();}}else{int mid = (end+start) / 2;Task task = new Task(array,start,mid);Task task2 = new Task(array,mid,end);invokeAll(task,task2);}System.out.printf("Task : End form %d to %d\n",start,end);return 0;}
}
public class Main {public static void main(String[] args) {int array [] = new int [100];Task task = new Task(array,0,100);ForkJoinPool pool = new ForkJoinPool();pool.execute(task);pool.shutdown();try {pool.awaitTermination(1, TimeUnit.DAYS);} catch (InterruptedException e) {e.printStackTrace();}if(task.isCompletedAbnormally()){System.out.println("Main: An exception has ocurred\n");System.out.printf("Main: %s\n",task.join());}}
}
这篇关于java并发编程实战第五章(4)在任务中抛出异常的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!