编写一异常处理程序,模拟地铁、机场进行危险品与违禁物品检查。程序循环接受输入字符串,检查字符串。若其中含有’b’‘o’‘m’‘b’四个字母(字母顺序无关)就抛出发现危险品异常,提示有危险品炸弹;若其中含有’h’’e’’r’’o’’i’’n’六个字母则抛出发现违禁品异常。如果没有异常,程序循环接受输入字符串。
题目分析,可以知道有两类异常,则需要两个异常类,一个检测方法包含这两个类的异常抛出,和一个总的测试类就可。 这里我采用的检测方法是通过String类的indexof方法来查看是否包含。
两个异常类
public class bombException extends Exception{
String message;
public bombException(String s){
message=s+"危险品异常!";
}
public String toString(){
return message;
}
}
public class heroinException extends Exception{
String message;
public heroinException(String s){
message=s+"违禁品异常!";
}
public String toString(){
return message;
}
}
一个检测方法
public class Check{
public static void checkBomb(String s) throws bombException{
String []str={"b","o","m","b"};
int tag=1;
for(int i=0;i<str.length-1;i++){
if(s.indexOf(str[i])==-1){
tag=-1;
break;
}
}
if(tag==1){
throw new bombException(s);
}
}
public static void checkHeroin(String s) throws heroinException{
String []str={"h","e","r","o","i","n"};
int tag=1;
for(int i=0;i<str.length-1;i++){
if(s.indexOf(str[i])==-1){
tag=-1;
break;
}
}
if(tag==1){
throw new heroinException(s);
}
}
}
这里是不在意字母顺序的检测,如果题目要求字母的顺序,则修改检测方法如下:
public class Check1{
public static void checkBomb(String s) throws bombException{
String []str={"b","o","m","b"};
int tag=1;
int loc=0;
for(int i=0;i<str.length-1;i++){
if(s.indexOf(str[i],loc)==-1){
tag=-1;
break;
}else{
loc=s.indexOf(str[i],loc);
}
}
if(tag==1){
throw new bombException(s);
}
}
public static void checkHeroin(String s) throws heroinException{
String []str={"h","e","r","o","i","n"};
int tag=1;
int loc=0;
for(int i=0;i<str.length-1;i++){
if(s.indexOf(str[i],loc)==-1){
tag=-1;
break;
}else{
loc=s.indexOf(str[i],loc);
}
}
if(tag==1){
throw new heroinException(s);
}
}
}
通常来说,字母顺序是要的,而且不规定字母顺序的话,对于重复的字母,通过indexof无法保证含有多个重复字母。
最后是主类
import java.util.Scanner;
public class Example_05{
public static void main(String args[]){
Scanner reader = new Scanner(System.in);
String s;
System.out.println("请输入物品的名称:(EOF结束)");
do{
s=reader.nextLine();
try{
Check1.checkBomb(s);
Check1.checkHeroin(s);
}
catch(bombException e){
System.out.println(e.toString());
}
catch(heroinException e){
System.out.println(e.toString());
}
}while(s.equals("EOF")!=true);
}
}
|