springboot配置 异常等
springboot启动默认读取src/main/resource下面的application.properties/application.yml
除此之外,我添加一个error.properties 用于处理异常编码,格式如下:100=异常测试
添加PropertyUtil 类读取 error.properties。
代码:
package com.gzh.youth.util;
import java.io.IOException;
import java.io.UnsupportedEncodingException;
import java.util.HashMap;
import java.util.Map;
import java.util.Properties;
import org.springframework.beans.BeansException;
import org.springframework.core.io.support.PropertiesLoaderUtils;
public class PropertyUtil {
private static Map<String, String> propertiesMap = new HashMap<>();
// Default as in PropertyPlaceholderConfigurer
public static void processProperties( Properties props) throws BeansException {
propertiesMap = new HashMap<String, String>();
for (Object key : props.keySet()) {
String keyStr = key.toString();
try {
//PropertiesLoaderUtils的默认编码是ISO-8859-1,在这里转码一下
propertiesMap.put(keyStr, new String(props.getProperty(keyStr).getBytes("ISO-8859-1"),"utf-8"));
} catch (UnsupportedEncodingException e) {
e.printStackTrace();
}catch (java.lang.Exception e){
e.printStackTrace();
};
}
System.out.println(propertiesMap);
}
public static void loadAllProperties(){
try {
Properties properties = PropertiesLoaderUtils.loadAllProperties("error.properties");
processProperties(properties);
} catch (IOException e) {
e.printStackTrace();
}
}
public static String getProperty(String name) {
return propertiesMap.get(name).toString();
}
}
为了让spring启动的时候就能读取properties,添加一个ApplicationStartUpErrorPropListener 类。这个类继承ApplicationListener
public class ApplicationStartUpErrorPropListener implements ApplicationListener<ApplicationStartedEvent> {
@Override
public void onApplicationEvent(ApplicationStartedEvent paramE) {
PropertyUtil.loadAllProperties();
System.out.println("ApplicationStartUpErrorPrListener EXEC");
}
}
在启动时候添加
这样就能在启动的时候读取配置文件。
定义一个MyException
public class MyException extends Exception {
private static final long serialVersionUID = -621010413240370120L;
public static final Integer TEST_ERROR =100;
private String message;
private Integer code;
public MyException(String message) {
super(message);
}
在程序执行出错的时候,可以手动抛出异常:
throw new MyException(MyException.TEST_ERROR,MyException.getMessage(MyException.TEST_ERROR));
抛出的异常需要被程序捕捉到:
添加
GlobalExceptionHandler。这个类主要用于捕捉异常,将异常按照约定的方式返回给接口请求方。
/**
*
@ControllerAdvice的作用是将拥有该注解的内部所有含有@ExceptionHandler,@initBinder,@ModelAttribute 三个注解映射到所有含有requestMapping的地方
*/
@ControllerAdvice
public class GlobalExceptionHandler {
@ExceptionHandler(value = Exception.class)
public Value defaultErrorHandler(HttpServletRequest req, Exception e) throws Exception {
Value v= new Value();
v.setCode(0000);
v.setMessage("系统异常,请联系管理员");
v.setResult(false);
return v;
}
@ExceptionHandler(value = MyException.class)
@ResponseBody
public Value jsonErrorHandler(HttpServletRequest req, MyException e) throws Exception {
Value v= new Value();
v.setCode(e.getCode());
v.setMessage(e.getMessage());
v.setResult(false);
return v;
}
}
这样在抛出运行时异常的时候 就能在不影响运行的情况下 合理的给出错误了。