Java

1. 六类典型空指针问题

  • 包装类型的空指针问题
  • 级联调用的空指针问题
  • Equals方法左边的空指针问题
  • ConcurrentHashMap 这样的容器不支持 Key 和 Value 为 null。
  • 集合,数组直接获取元素
  • 对象直接获取属性

    1.1包装类型的空指针问题

    1. public class NullPointTest {
    2. public static void main(String[] args) throws InterruptedException {
    3. System.out.println(testInteger(null));
    4. }
    5. private static Integer testInteger(Integer i) {
    6. return i + 1; //包装类型,传参可能为null,直接计算,则会导致空指针问题
    7. }
    8. }

    1.2 级联调用的空指针问题

    1. public class NullPointTest {
    2. public static void main(String[] args) {
    3. //fruitService.getAppleService() 可能为空,会导致空指针问题
    4. fruitService.getAppleService().getWeight().equals("OK");
    5. }
    6. }

    1.3 Equals方法左边的空指针问题

    1. public class NullPointTest {
    2. public static void main(String[] args) {
    3. String s = null;
    4. if (s.equals("666")) { //s可能为空,会导致空指针问题
    5. System.out.println("Hello,Fcant");
    6. }
    7. }
    8. }

    1.4 ConcurrentHashMap 这样的容器不支持 Key,Value 为 null。

    1. public class NullPointTest {
    2. public static void main(String[] args) {
    3. Map map = new ConcurrentHashMap<>();
    4. String key = null;
    5. String value = null;
    6. map.put(key, value);
    7. }
    8. }

    1.5 集合,数组直接获取元素

    1. public class NullPointTest {
    2. public static void main(String[] args) {
    3. int [] array=null;
    4. List list = null;
    5. System.out.println(array[0]); //空指针异常
    6. System.out.println(list.get(0)); //空指针一场
    7. }
    8. }

    1.6 对象直接获取属性

    1. public class NullPointTest {
    2. public static void main(String[] args) {
    3. User user=null;
    4. System.out.println(user.getAge()); //空指针异常
    5. }
    6. }

    2. 日期YYYY格式设置的坑

    日常开发,经常需要对日期格式化,但是,年份设置为YYYY大写的时候,是有坑的。
    反例:

    1. Calendar calendar = Calendar.getInstance();
    2. calendar.set(2019, Calendar.DECEMBER, 31);
    3. Date testDate = calendar.getTime();
    4. SimpleDateFormat dtf = new SimpleDateFormat("YYYY-MM-dd");
    5. System.out.println("2019-12-31 转 YYYY-MM-dd 格式后 " + dtf.format(testDate));

    运行结果:

    1. 2019-12-31 YYYY-MM-dd 格式后 2020-12-31

    「解析:」
    为什么明明是2019年12月31号,就转了一下格式,就变成了2020年12月31号了?因为YYYY是基于周来计算年的,它指向当天所在周属于的年份,一周从周日开始算起,周六结束,只要本周跨年,那么这一周就算下一年的了。正确姿势是使用yyyy格式。
    image.png
    正例:

    1. Calendar calendar = Calendar.getInstance();
    2. calendar.set(2019, Calendar.DECEMBER, 31);
    3. Date testDate = calendar.getTime();
    4. SimpleDateFormat dtf = new SimpleDateFormat("yyyy-MM-dd");
    5. System.out.println("2019-12-31 转 yyyy-MM-dd 格式后 " + dtf.format(testDate));

    3.金额数值计算精度的坑

    看下这个浮点数计算的例子吧:

    1. public class DoubleTest {
    2. public static void main(String[] args) {
    3. System.out.println(0.1+0.2);
    4. System.out.println(1.0-0.8);
    5. System.out.println(4.015*100);
    6. System.out.println(123.3/100);
    7. double amount1 = 3.15;
    8. double amount2 = 2.10;
    9. if (amount1 - amount2 == 1.05){
    10. System.out.println("OK");
    11. }
    12. }
    13. }

    运行结果:

    1. 0.30000000000000004
    2. 0.19999999999999996
    3. 401.49999999999994
    4. 1.2329999999999999

    可以发现,结算结果跟预期不一致,其实是因为计算机是以二进制存储数值的,对于浮点数也是。对于计算机而言,0.1无法精确表达,这就是为什么浮点数会导致精确度缺失的。因此,「金额计算,一般都是用BigDecimal 类型」
    对于以上例子,改为BigDecimal,再看看运行效果:

    1. System.out.println(new BigDecimal(0.1).add(new BigDecimal(0.2)));
    2. System.out.println(new BigDecimal(1.0).subtract(new BigDecimal(0.8)));
    3. System.out.println(new BigDecimal(4.015).multiply(new BigDecimal(100)));
    4. System.out.println(new BigDecimal(123.3).divide(new BigDecimal(100)));

    运行结果:

    1. 0.3000000000000000166533453693773481063544750213623046875
    2. 0.1999999999999999555910790149937383830547332763671875
    3. 401.49999999999996802557689079549163579940795898437500
    4. 1.232999999999999971578290569595992565155029296875

    发现结果还是不对,「其实」,使用 BigDecimal 表示和计算浮点数,必须使用「字符串的构造方法」来初始化 BigDecimal,正例如下:

    1. public class DoubleTest {
    2. public static void main(String[] args) {
    3. System.out.println(new BigDecimal("0.1").add(new BigDecimal("0.2")));
    4. System.out.println(new BigDecimal("1.0").subtract(new BigDecimal("0.8")));
    5. System.out.println(new BigDecimal("4.015").multiply(new BigDecimal("100")));
    6. System.out.println(new BigDecimal("123.3").divide(new BigDecimal("100")));
    7. }
    8. }

    在进行金额计算,使用BigDecimal的时候,还需要「注意BigDecimal的几位小数点,还有它的八种舍入模式」

    4. FileReader默认编码导致乱码问题

    看下这个例子:

    1. public class FileReaderTest {
    2. public static void main(String[] args) throws IOException {
    3. Files.deleteIfExists(Paths.get("jay.txt"));
    4. Files.write(Paths.get("jay.txt"), "Hello,Fcant".getBytes(Charset.forName("GBK")));
    5. System.out.println("系统默认编码:"+Charset.defaultCharset());
    6. char[] chars = new char[10];
    7. String content = "";
    8. try (FileReader fileReader = new FileReader("jay.txt")) {
    9. int count;
    10. while ((count = fileReader.read(chars)) != -1) {
    11. content += new String(chars, 0, count);
    12. }
    13. }
    14. System.out.println(content);
    15. }
    16. }

    运行结果:

    1. 系统默认编码:UTF-8
    2. ���,�����ݵ�С�к�

    从运行结果,可以知道,系统默认编码是utf8,demo中读取出来,出现乱码了。为什么? :::danger FileReader 是以当「前机器的默认字符集」来读取文件的,如果希望指定字符集的话,需要直接使用 InputStreamReader 和 FileInputStream。 ::: 正例如下:

    1. public class FileReaderTest {
    2. public static void main(String[] args) throws IOException {
    3. Files.deleteIfExists(Paths.get("jay.txt"));
    4. Files.write(Paths.get("jay.txt"), "Hello,Fcant".getBytes(Charset.forName("GBK")));
    5. System.out.println("系统默认编码:"+Charset.defaultCharset());
    6. char[] chars = new char[10];
    7. String content = "";
    8. try (FileInputStream fileInputStream = new FileInputStream("jay.txt");
    9. InputStreamReader inputStreamReader = new InputStreamReader(fileInputStream, Charset.forName("GBK"))) {
    10. int count;
    11. while ((count = inputStreamReader.read(chars)) != -1) {
    12. content += new String(chars, 0, count);
    13. }
    14. }
    15. System.out.println(content);
    16. }
    17. }

    5. Integer缓存的坑

    1. public class IntegerTest {
    2. public static void main(String[] args) {
    3. Integer a = 127;
    4. Integer b = 127;
    5. System.out.println("a==b:"+ (a == b));
    6. Integer c = 128;
    7. Integer d = 128;
    8. System.out.println("c==d:"+ (c == d));
    9. }
    10. }

    运行结果:

    1. a==b:true
    2. c==d:false

    为什么Integer值如果是128就不相等了?「编译器会把 Integer a = 127 转换为 Integer.valueOf(127)。」 看下源码。

    1. public static Integer valueOf(int i) {
    2. if (i >= IntegerCache.low && i <= IntegerCache.high)
    3. return IntegerCache.cache[i + (-IntegerCache.low)];
    4. return new Integer(i);
    5. }

    可以发现,i在一定范围内,是会返回缓存的。

    默认情况下,这个缓存区间就是[-128, 127],所以业务日常开发中,如果涉及Integer值的比较,需要注意这个坑。设置 JVM 参数加上 -XX:AutoBoxCacheMax=1000,是可以调整这个区间参数的。

6. static静态变量依赖spring实例化变量,可能导致初始化出错

之前看到过类似的代码。静态变量依赖于spring容器的bean。

  1. private static SmsService smsService = SpringContextUtils.getBean(SmsService.class);

这个静态的smsService有可能获取不到的,因为类加载顺序不是确定的,正确的写法可以这样,如下:

  1. private static SmsService smsService =null;
  2. //使用到的时候采取获取
  3. public static SmsService getSmsService(){
  4. if(smsService==null){
  5. smsService = SpringContextUtils.getBean(SmsService.class);
  6. }
  7. return smsService;
  8. }

7. 使用ThreadLocal,线程重用导致信息错乱的坑

使用ThreadLocal缓存信息,有可能出现信息错乱的情况。看下下面这个例子。

  1. private static final ThreadLocal<Integer> currentUser = ThreadLocal.withInitial(() -> null);
  2. @GetMapping("wrong")
  3. public Map wrong(@RequestParam("userId") Integer userId) {
  4. //设置用户信息之前先查询一次ThreadLocal中的用户信息
  5. String before = Thread.currentThread().getName() + ":" + currentUser.get();
  6. //设置用户信息到ThreadLocal
  7. currentUser.set(userId);
  8. //设置用户信息之后再查询一次ThreadLocal中的用户信息
  9. String after = Thread.currentThread().getName() + ":" + currentUser.get();
  10. //汇总输出两次查询结果
  11. Map result = new HashMap();
  12. result.put("before", before);
  13. result.put("after", after);
  14. return result;
  15. }

按理说,每次获取的before应该都是null,但是程序运行在 Tomcat 中,执行程序的线程是 Tomcat 的工作线程,而 Tomcat 的工作线程是基于线程池的。

线程池会重用固定的几个线程,一旦线程重用,那么很可能首次从 ThreadLocal 获取的值是之前其他用户的请求遗留的值。这时,ThreadLocal 中的用户信息就是其他用户的信息。

把tomcat的工作线程设置为1

  1. server.tomcat.max-threads=1

用户1,请求过来,会有以下结果,符合预期:
Java日常开发的21个坑 - 图2
用户2请求过来,会有以下结果,「不符合预期」
image.gif640.png
因此,使用类似 ThreadLocal 工具来存放一些数据时,需要特别注意在代码运行完后,显式地去清空设置的数据,正例如下:

  1. @GetMapping("right")
  2. public Map right(@RequestParam("userId") Integer userId) {
  3. String before = Thread.currentThread().getName() + ":" + currentUser.get();
  4. currentUser.set(userId);
  5. try {
  6. String after = Thread.currentThread().getName() + ":" + currentUser.get();
  7. Map result = new HashMap();
  8. result.put("before", before);
  9. result.put("after", after);
  10. return result;
  11. } finally {
  12. //在finally代码块中删除ThreadLocal中的数据,确保数据不串
  13. currentUser.remove();
  14. }
  15. }

8. 疏忽switch的return和break

这一点严格来说,应该不算坑,但是写代码的时候容易疏忽了。直接看例子

  1. public class SwitchTest {
  2. public static void main(String[] args) throws InterruptedException {
  3. System.out.println("testSwitch结果是:"+testSwitch("1"));
  4. }
  5. private static String testSwitch(String key) {
  6. switch (key) {
  7. case "1":
  8. System.out.println("1");
  9. case "2":
  10. System.out.println(2);
  11. return "2";
  12. case "3":
  13. System.out.println("3");
  14. default:
  15. System.out.println("返回默认值");
  16. return "4";
  17. }
  18. }
  19. }

输出结果:

  1. 测试switch
  2. 1
  3. 2
  4. testSwitch结果是:2

switch 是会「沿着case一直往下匹配的,直到遇到return或者break。」 所以,在写代码的时候留意一下,是不是想要的结果。

9. Arrays.asList的几个坑

9.1 基本类型不能作为 Arrays.asList方法的参数,否则会被当做一个参数。

  1. public class ArrayAsListTest {
  2. public static void main(String[] args) {
  3. int[] array = {1, 2, 3};
  4. List list = Arrays.asList(array);
  5. System.out.println(list.size());
  6. }
  7. }

运行结果:

  1. 1

Arrays.asList源码如下:

  1. public static <T> List<T> asList(T... a) {
  2. return new ArrayList<>(a);
  3. }

9.2 Arrays.asList 返回的 List 不支持增删操作。

  1. public class ArrayAsListTest {
  2. public static void main(String[] args) {
  3. String[] array = {"1", "2", "3"};
  4. List list = Arrays.asList(array);
  5. list.add("5");
  6. System.out.println(list.size());
  7. }
  8. }

运行结果:

  1. Exception in thread "main" java.lang.UnsupportedOperationException
  2. at java.util.AbstractList.add(AbstractList.java:148)
  3. at java.util.AbstractList.add(AbstractList.java:108)
  4. at object.ArrayAsListTest.main(ArrayAsListTest.java:11)

Arrays.asList 返回的 List 并不是期望的 java.util.ArrayList,而是 Arrays 的内部类 ArrayList。内部类的ArrayList没有实现add方法,而是父类的add方法的实现,是会抛出异常的。

9.3 使用Arrays.asLis的时候,对原始数组的修改会影响到获得的那个List

  1. public class ArrayAsListTest {
  2. public static void main(String[] args) {
  3. String[] arr = {"1", "2", "3"};
  4. List list = Arrays.asList(arr);
  5. arr[1] = "4";
  6. System.out.println("原始数组"+Arrays.toString(arr));
  7. System.out.println("list数组" + list);
  8. }
  9. }

运行结果:

  1. 原始数组[1, 4, 3]
  2. list数组[1, 4, 3]

从运行结果可以看到,原数组改变,Arrays.asList转化来的list也跟着改变了,大家使用的时候要注意一下,可以用new ArrayList(Arrays.asList(arr))包装一下的。

10. ArrayList.toArray() 强转的坑

  1. public class ArrayListTest {
  2. public static void main(String[] args) {
  3. List<String> list = new ArrayList<String>(1);
  4. list.add("Hello,Fcant");
  5. String[] array21 = (String[])list.toArray();//类型转换异常
  6. }
  7. }

因为返回的是Object类型,Object类型数组强转String数组,会发生ClassCastException。解决方案是,使用toArray()重载方法toArray(T[] a)

  1. String[] array1 = list.toArray(new String[0]);//可以正常运行

11. 异常使用的几个坑

11.1 不要弄丢堆栈异常信息

  1. public void wrong1(){
  2. try {
  3. readFile();
  4. } catch (IOException e) {
  5. //没有把异常e取出来,原始异常信息丢失
  6. throw new RuntimeException("系统忙请稍后再试");
  7. }
  8. }
  9. public void wrong2(){
  10. try {
  11. readFile();
  12. } catch (IOException e) {
  13. //只保留了异常消息,栈没有记录啦
  14. log.error("文件读取错误, {}", e.getMessage());
  15. throw new RuntimeException("系统忙请稍后再试");
  16. }
  17. }

正确的打印方式,应该是

  1. public void right(){
  2. try {
  3. readFile();
  4. } catch (IOException e) {
  5. //把整个IO异常都记录下来,而不是只打印消息
  6. log.error("文件读取错误", e);
  7. throw new RuntimeException("系统忙请稍后再试");
  8. }
  9. }

11.2 不要把异常定义为静态变量

  1. public void testStaticExeceptionOne{
  2. try {
  3. exceptionOne();
  4. } catch (Exception ex) {
  5. log.error("exception one error", ex);
  6. }
  7. try {
  8. exceptionTwo();
  9. } catch (Exception ex) {
  10. log.error("exception two error", ex);
  11. }
  12. }
  13. private void exceptionOne() {
  14. //这里有问题
  15. throw Exceptions.ONEORTWO;
  16. }
  17. private void exceptionTwo() {
  18. //这里有问题
  19. throw Exceptions.ONEORTWO;
  20. }

exceptionTwo抛出的异常,很可能是 exceptionOne的异常。正确使用方法,应该是new 一个出来。

  1. private void exceptionTwo() {
  2. throw new BusinessException("业务异常", 0001);
  3. }

11.3 生产环境不要使用e.printStackTrace();

  1. public void wrong(){
  2. try {
  3. readFile();
  4. } catch (IOException e) {
  5. //生产环境别用它
  6. e.printStackTrace();
  7. }
  8. }

因为它占用太多内存,造成锁死,并且,日志交错混合,也不易读。正确使用如下:

  1. log.error("异常日志正常打印方式",e);

11.4 线程池提交过程中,出现异常怎么办?

  1. public class ThreadExceptionTest {
  2. public static void main(String[] args) {
  3. ExecutorService executorService = Executors.newFixedThreadPool(10);
  4. IntStream.rangeClosed(1, 10).forEach(i -> executorService.submit(()-> {
  5. if (i == 5) {
  6. System.out.println("发生异常");
  7. throw new RuntimeException("error");
  8. }
  9. System.out.println("当前执行第几:" + Thread.currentThread().getName() );
  10. }
  11. ));
  12. executorService.shutdown();
  13. }
  14. }

运行结果:

  1. 当前执行第几:pool-1-thread-1
  2. 当前执行第几:pool-1-thread-2
  3. 当前执行第几:pool-1-thread-3
  4. 当前执行第几:pool-1-thread-4
  5. 发生异常啦
  6. 当前执行第几:pool-1-thread-6
  7. 当前执行第几:pool-1-thread-7
  8. 当前执行第几:pool-1-thread-8
  9. 当前执行第几:pool-1-thread-9
  10. 当前执行第几:pool-1-thread-10

可以发现,如果是使用submit方法提交到线程池的异步任务,异常会被吞掉的,所以在日常发现中,如果会有可预见的异常,可以采取这几种方案处理:

  • 1.在任务代码try/catch捕获异常
  • 2.通过Future对象的get方法接收抛出的异常,再处理
  • 3.为工作者线程设置UncaughtExceptionHandler,在uncaughtException方法中处理异常
  • 4.重写ThreadPoolExecutor的afterExecute方法,处理传递的异常引用

    11.5 finally重新抛出的异常也要注意

    1. public void wrong() {
    2. try {
    3. log.info("try");
    4. //异常丢失
    5. throw new RuntimeException("try");
    6. } finally {
    7. log.info("finally");
    8. throw new RuntimeException("finally");
    9. }
    10. }
    一个方法是不会出现两个异常的,所以finally的异常会把try的「异常覆盖」。正确的使用方式应该是,finally 代码块「负责自己的异常捕获和处理」
    1. public void right() {
    2. try {
    3. log.info("try");
    4. throw new RuntimeException("try");
    5. } finally {
    6. log.info("finally");
    7. try {
    8. throw new RuntimeException("finally");
    9. } catch (Exception ex) {
    10. log.error("finally", ex);
    11. }
    12. }
    13. }

    12.JSON序列化,Long类型被转成Integer类型!

    1. public class JSONTest {
    2. public static void main(String[] args) {
    3. Long idValue = 3000L;
    4. Map<String, Object> data = new HashMap<>(2);
    5. data.put("id", idValue);
    6. data.put("name", "Fcant");
    7. Assert.assertEquals(idValue, (Long) data.get("id"));
    8. String jsonString = JSON.toJSONString(data);
    9. // 反序列化时Long被转为了Integer
    10. Map map = JSON.parseObject(jsonString, Map.class);
    11. Object idObj = map.get("id");
    12. System.out.println("反序列化的类型是否为Integer:"+(idObj instanceof Integer));
    13. Assert.assertEquals(idValue, (Long) idObj);
    14. }
    15. }
    「运行结果:」
    1. Exception in thread "main" 反序列化的类型是否为Integertrue
    2. java.lang.ClassCastException: java.lang.Integer cannot be cast to java.lang.Long
    3. at object.JSONTest.main(JSONTest.java:24)
    :::danger 「注意」,序列化为Json串后,Josn串是没有Long类型。而且反序列化回来如果也是Object接收,数字小于Interger最大值的话,会转成Integer! :::

    13. 使用Executors声明线程池,newFixedThreadPool的OOM问题

    1. ExecutorService executor = Executors.newFixedThreadPool(10);
    2. for (int i = 0; i < Integer.MAX_VALUE; i++) {
    3. executor.execute(() -> {
    4. try {
    5. Thread.sleep(10000);
    6. } catch (InterruptedException e) {
    7. //do nothing
    8. }
    9. });
    10. }
    「IDE指定JVM参数:-Xmx8m -Xms8m :」
    Java日常开发的21个坑 - 图5
    运行结果:
    Java日常开发的21个坑 - 图6
    看下源码,其实newFixedThreadPool使用的是无界队列!
    1. public static ExecutorService newFixedThreadPool(int nThreads) {
    2. return new ThreadPoolExecutor(nThreads, nThreads,
    3. 0L, TimeUnit.MILLISECONDS,
    4. new LinkedBlockingQueue<Runnable>());
    5. }
    6. public class LinkedBlockingQueue<E> extends AbstractQueue<E>
    7. implements BlockingQueue<E>, java.io.Serializable {
    8. ...
    9. /**
    10. * Creates a {@code LinkedBlockingQueue} with a capacity of
    11. * {@link Integer#MAX_VALUE}.
    12. */
    13. public LinkedBlockingQueue() {
    14. this(Integer.MAX_VALUE);
    15. }
    16. ...
    17. }

    newFixedThreadPool线程池的核心线程数是固定的,它使用了近乎于无界的LinkedBlockingQueue阻塞队列。当核心线程用完后,任务会入队到阻塞队列,如果任务执行的时间比较长,没有释放,会导致越来越多的任务堆积到阻塞队列,最后导致机器的内存使用不停的飙升,造成JVM OOM。

14. 直接大文件或者一次性从数据库读取太多数据到内存,可能导致OOM问题

如果一次性把大文件或者数据库太多数据达到内存,是会导致OOM的。所以,为什么查询DB数据库,一般都建议分批。
读取文件的话,一般问文件不会太大,才使用Files.readAllLines()。为什么?因为它是直接把文件都读到内存的,预估下不会OOM才使用这个,可以看下它的源码:

  1. public static List<String> readAllLines(Path path, Charset cs) throws IOException {
  2. try (BufferedReader reader = newBufferedReader(path, cs)) {
  3. List<String> result = new ArrayList<>();
  4. for (;;) {
  5. String line = reader.readLine();
  6. if (line == null)
  7. break;
  8. result.add(line);
  9. }
  10. return result;
  11. }
  12. }

如果是太大的文件,可以使用Files.line()按需读取,当时读取文件这些,一般是使用完需要「关闭资源流」的。

15. 先查询,再更新/删除的并发一致性问题

再日常开发中,这种代码实现经常可见:先查询是否有剩余可用的票,再去更新票余量。

  1. if(selectIsAvailable(ticketId){
  2. 1deleteTicketById(ticketId)
  3. 2、给现金增加操作
  4. }else{
  5. return “没有可用现金券”
  6. }

如果是并发执行,很可能有问题的,应该利用数据库的更新/删除的原子性,正解如下:

  1. if(deleteAvailableTicketById(ticketId) == 1){
  2. 1、给现金增加操作
  3. }else{
  4. return “没有可用现金券”
  5. }

16. 数据库使用utf-8存储, 插入表情异常的坑

低版本的MySQL支持的utf8编码,最大字符长度为 3 字节,但是存储表情需要4个字节,因此如果用utf8存储表情的话,会报SQLException: Incorrect string value: '\xF0\x9F\x98\x84' for column,所以一般用utf8mb4编码去存储表情。

17. 事务未生效的坑

日常业务开发中,经常跟事务打交道,「事务失效」主要有以下几个场景:

  • 底层数据库引擎不支持事务
  • 在非public修饰的方法使用
  • rollbackFor属性设置错误
  • 本类方法直接调用
  • 异常被try…catch捕获了,导致事务失效。

其中,最容易踩的坑就是后面两个,「注解的事务方法给本类方法直接调用」,伪代码如下:

  1. public class TransactionTest{
  2. public void A(){
  3. //插入一条数据
  4. //调用方法B (本地的类调用,事务失效了)
  5. B();
  6. }
  7. @Transactional
  8. public void B(){
  9. //插入数据
  10. }
  11. }

如果异常被catch住,「那事务也是会失效」~,伪代码如下:

  1. @Transactional
  2. public void method(){
  3. try{
  4. //插入一条数据
  5. insertA();
  6. //更改一条数据
  7. updateB();
  8. }catch(Exception e){
  9. logger.error("异常被捕获了,那事务就失效了",e);
  10. }
  11. }

18. 当反射遇到方法重载的坑

  1. public class ReflectionTest {
  2. private void score(int score) {
  3. System.out.println("int grade =" + score);
  4. }
  5. private void score(Integer score) {
  6. System.out.println("Integer grade =" + score);
  7. }
  8. public static void main(String[] args) throws Exception {
  9. ReflectionTest reflectionTest = new ReflectionTest();
  10. reflectionTest.score(100);
  11. reflectionTest.score(Integer.valueOf(100));
  12. reflectionTest.getClass().getDeclaredMethod("score", Integer.TYPE).invoke(reflectionTest, Integer.valueOf("60"));
  13. reflectionTest.getClass().getDeclaredMethod("score", Integer.class).invoke(reflectionTest, Integer.valueOf("60"));
  14. }
  15. }

运行结果:

  1. int grade =100
  2. Integer grade =100
  3. int grade =60
  4. Integer grade =60

如果「不通过反射」,传入Integer.valueOf(100),走的是Integer重载。但是反射不是根据入参类型确定方法重载的,而是「以反射获取方法时传入的方法名称和参数类型来确定」

  1. getClass().getDeclaredMethod("score", Integer.class)
  2. getClass().getDeclaredMethod("score", Integer.TYPE)

19. mysql 时间 timestamp的坑

有更新语句的时候,timestamp可能会自动更新为当前时间,看个demo

  1. CREATE TABLE `t` (
  2. `a` int(11) DEFAULT NULL,
  3. `b` timestamp NOT NULL,
  4. `c` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP
  5. ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4;

可以发现 「c列」 是有CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,所以c列会随着记录更新而「更新为当前时间」。但是b列也会随着有记录更新为而「更新为当前时间」
Java日常开发的21个坑 - 图7
可以使用datetime代替它,需要更新为当前时间,就把now()赋值进来,或者修改mysql的这个参数explicit_defaults_for_timestamp

20. mysql8数据库的时区坑

对mysql数据库进行升级,新版本为8.0.12。但是升级完之后,发现now()函数,获取到的时间比北京时间晚8小时,原来是因为mysql8默认为美国那边的时间,需要指定下时区

  1. jdbc:mysql://localhost:3306/test?useUnicode=true&characterEncoding=UTF-8&serverTimezone=Asia/Shanghai