sprig中基于注解的异常处理

本文简述在spring中使用注解对Controller中抛出的异常进行单独处理或统一处理。


1、单独处理当前controller中的异常

主要的controller代码如下,代码中访问hello时会直接抛出DuplicateElementException异常从而执行exception中的返回。使用浏览器可以看到返回"Hello,world"的字样。

package cn.hifei.spring.demo.web.controller;

import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.RestController;

import com.mchange.util.DuplicateElementException;

@RestController
public class TestController {
	
	@ExceptionHandler(DuplicateElementException.class)
	public String exeption() {
		return "Hello,world";
	}

	@RequestMapping(value="hello",method=RequestMethod.GET)
	public String test() throws Exception {
		throw new DuplicateElementException();
	}
}

2、统一处理异常

当需要对多个controller中抛出的异常进行统一处理时,可以使用@RestControllerAdvice或@ControllerAdvice标注一个异常处理类,由于@RestControllerAdvice(在基于spring的restful的controller中使用)或@ControllerAdvice(在普通的controller中使用)中已经使用了@Component注解,因此可以自动被扫描到。如下

package cn.hifei.spring.demo.web.exception;

import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.RestControllerAdvice;

@RestControllerAdvice
public class AppWideExceptionHandler {
	
	@ExceptionHandler(IllegalArgumentException.class)
	public String exceptionHandler() {
		return "Oh,No!";
	}
}

测试的controller代码如下:

当访问hello2时会直接抛出IllegalArgumentException异常从而跳转到AppWideExceptionHandler类中的exceptionHandler方法中执行,浏览器上可以看到"Oh,No!"的字样。

package cn.hifei.spring.demo.web.controller;

import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.RestController;

import com.mchange.util.DuplicateElementException;

@RestController
public class TestController {
	
	@ExceptionHandler(DuplicateElementException.class)
	public String exeption() {
		return "Hello,world";
	}

	@RequestMapping(value="hello2",method=RequestMethod.GET)
	public String test2() throws IllegalArgumentException{
		throw new IllegalArgumentException();
	}
}


你可能感兴趣的:(web应用)