Computer >> 컴퓨터 >  >> 프로그램 작성 >> Java

Java에서 사용자 정의 확인되지 않은 예외를 만드는 방법은 무엇입니까?

<시간/>

선택되지 않은 맞춤설정을 만들 수 있습니다. 예외 RuntimeException 확장 자바로.

선택 해제 예외 오류 에서 상속 클래스 또는 RuntimeException 수업. 많은 프로그래머는 프로그램이 실행되는 동안 프로그램이 복구할 것으로 예상할 수 없는 오류 유형을 나타내기 때문에 프로그램에서 이러한 예외를 처리할 수 없다고 생각합니다. 확인되지 않은 예외가 발생하면 일반적으로 코드 오용으로 인해 발생합니다. , null 전달 또는 잘못된 주장 .

구문

public class MyCustomException extends RuntimeException {
   public MyCustomException(String message) {
      super(message);
   }
}

확인되지 않은 예외 구현

사용자 정의 확인되지 않은 예외의 구현은 Java의 확인된 예외와 거의 유사합니다. 유일한 차이점은 확인되지 않은 예외가 RuntimeException 을 확장해야 한다는 것입니다. 예외 대신.

예시

public class CustomUncheckedException extends RuntimeException {
   /*
   * Required when we want to add a custom message when throwing the exception
   * as throw new CustomUncheckedException(" Custom Unchecked Exception ");
   */
   public CustomUncheckedException(String message) {
      // calling super invokes the constructors of all super classes
      // which helps to create the complete stacktrace.
      super(message);
   }
   /*
   * Required when we want to wrap the exception generated inside the catch block and rethrow it
   * as catch(ArrayIndexOutOfBoundsException e) {
      * throw new CustomUncheckedException(e);
   * }
   */
   public CustomUncheckedException(Throwable cause) {
      // call appropriate parent constructor
      super(cause);
   }
   /*
   * Required when we want both the above
   * as catch(ArrayIndexOutOfBoundsException e) {
      * throw new CustomUncheckedException(e, "File not found");
   * }
   */
   public CustomUncheckedException(String message, Throwable throwable) {
      // call appropriate parent constructor
      super(message, throwable);
   }
}