Custom Exception là ngoại lệ do người dùng tự định nghĩa. Custom Exception trong Java được sử dụng để tùy biến ngoại lệ theo yêu cầu của người dùng. Bởi sự giúp đỡ của loại ngoại lệ này, người dùng có thể có riêng kiểu và thông điệp ngoại lệ riêng cho mình.
Thông thường, để tạo ra custom exception thuộc loại checked chúng ta kế thừa từ lớp Exception. Để tạo custom exception thuộc loại unchecked chúng ta kế thừa từ lớp RuntimeException.
Trong các ứng dụng thực tế, thông thường custom exception được tạo là checked exception.
Ví dụ Custom Checked Exception
Tạo class ngoại lệ kế thừa từ class Exception để tạo custom checked exception.
class InvalidAgeException extends Exception {
    InvalidAgeException(String s) {
        super(s);
    }
}
Sử dụng ngoại lệ tùy chỉnh:
class CustomExceptionExample {
	static void validate(int age) throws InvalidAgeException {
		if (age < 18) {
			throw new InvalidAgeException("not valid");
		} else {
			System.out.println("welcome to vote");
		}
	}
	public static void main(String args[]) {
		try {
			validate(13);
		} catch (Exception m) {
			System.out.println("Exception occured: " + m);
		}
		System.out.println("rest of the code...");
	}
}
Kết quả thực thi chương trình trên:
Exception occured: com.gpcoder.throwex.InvalidAgeException: not valid
rest of the code...
Ví dụ Custom UnChecked Exception
Tương tự, tạo class ngoại lệ kế thừa từ class RuntimeException để tạo custom unchecked exception.
class InvalidAgeException extends RuntimeException {
    InvalidAgeException(String s) {
        super(s);
    }
}
Sử dụng ngoại lệ tùy chỉnh:
class CustomExceptionExample {
	static void validate(int age) {
		if (age < 18) {
			throw new InvalidAgeException("not valid");
		} else {
			System.out.println("welcome to vote");
		}
	}
	public static void main(String args[]) {
		try {
			validate(13);
		} catch (Exception m) {
			System.out.println("Exception occured: " + m);
		}
		System.out.println("rest of the code...");
	}
}
Kết quả thực thi chương trình trên:
Exception occured: com.gpcoder.throwex.InvalidAgeException: not valid
rest of the code...
Các bạn tham khảo thêm:
- https://gpcoder.com/2430-xu-ly-ngoai-le-trong-java-exception-handling/
- https://gpcoder.com/2447-tu-khoa-throw-va-throws-trong-java/