Java中的自定義異常捕獲方式

Java 自定義異常捕獲

編寫一個程序,將字符串轉換成數字。請使用try-catch語句處理轉換過程中可能出現的異常。

JAVA中提供瞭自定義異常類,雖說盡量使用定義好的類,但是有時候還是會使用到自定義異常類。

自定義異常類格式如下:

class /*自定義異常類名*/ extends Exception
{
 public /*自定義異常類名*/  //相當於重寫其構造函數{
  super("/*輸出的信息*/");
 }
}

自定義異常類的調用格式如下:

try
{
 //有可能出現異常的代碼;
}
catch(Exception e)//將異常捕獲,放進類e中
{
 //對異常進行處理
}finally{ //最後處理完後執行的代碼
}

可能出現異常的代碼寫法如下:

public static int StringtoInt(String s) throws TooLong,ZeroLength,InvalidChar

開始和普通函數寫法一樣,這裡輸入一個字符串,返回一個整型是本題目要求,後面throws跟有可能出現的異常類名。從這裡我們也可以看到,throws是針對類的,throw是針對實例的。

{
  int len,i,ans=0;
  boolean flag=true;
  len=s.length();
  for (i=0;i<=len-1;i++)
  {
   if (s.charAt(i)<'0'||s.charAt(i)>'9')
   {
    flag=false;
    break;
   }
  }
  if (s.length()>=6)
  {
   throw new TooLong();//遇到異常拋出
  }
  else if (s.length()==0)
  {
   throw new ZeroLength();
  }
  else if (flag==false)
  {
   throw new InvalidChar();
  }
  for (i=0;i<=len-1;i++)
  {
   ans=ans+(s.charAt(i)-'0')*((int)Math.pow(10,len-i-1));
  }
  return ans;
 }

本題完整代碼如下:

異常類型有:空字符,超過長度字符串和含有非法字符的字符串。

import java.util.*;
 
class InvalidChar extends Exception
{
 public InvalidChar()
 {
  super("字符串中含有非法字符,無法轉換為整型");
 }
}
 
class TooLong extends Exception
{
 public TooLong()
 {
  super("字符串長度過長,無法轉換成整型");
 }
}
 
class ZeroLength extends Exception
{
 public ZeroLength()
 {
  super("長度是零,無法轉換成整型");
 }
} 
 
public class ExceptionTester
{
 public static int StringtoInt(String s) throws TooLong,ZeroLength,InvalidChar
 {
  int len,i,ans=0;
  boolean flag=true;
  len=s.length();
  for (i=0;i<=len-1;i++)
  {
   if (s.charAt(i)<'0'||s.charAt(i)>'9')
   {
    flag=false;
    break;
   }
  }
  if (s.length()>=6)
  {
   throw new TooLong();
  }
  else if (s.length()==0)
  {
   throw new ZeroLength();
  }
  else if (flag==false)
  {
   throw new InvalidChar();
  }
  for (i=0;i<=len-1;i++)
  {
   ans=ans+(s.charAt(i)-'0')*((int)Math.pow(10,len-i-1));
  }
  return ans;
 }
 public static void main(String args[])
 {
  int a;
  String s;
  Scanner cin=new Scanner(System.in);
  System.out.println("輸入一個字符串");
  s=cin.nextLine();
  try
  {
   a=StringtoInt(s);
  }
  catch(Exception e)
  {
   System.out.println(e.toString());
   return;
  }
  System.out.println(a+"\n"+"沒有異常被捕獲");
  return;
 }
}

常見的異常處理代碼有e.toString(),e.getMessage(),e.printStackTrace()等等。

自定義異常Exception

根據業務需要不用的異常打印不用類型的日志

package com.cestbon.exception;
public class RpcException extends Exception {
/**
* 
*/
private static final long serialVersionUID = 6554142484920002283L;
}

繼承重寫Exception方法即可~

以上為個人經驗,希望能給大傢一個參考,也希望大傢多多支持WalkonNet。

推薦閱讀: