Lombok介绍、使用方法和安装

目录

1 Lombok背景介绍

2 Lombok使用方法

2.1 @Data

2.2 @Getter/@Setter

2.3 @NonNull

2.4 @Cleanup

2.5 @EqualsAndHashCode

2.6 @ToString

2.7 @NoArgsConstructor, @RequiredArgsConstructor and @AllArgsConstructor

3 Lombok工作原理分析

4. Lombok的优缺点

5. 总结


1 Lombok背景介绍

官方介绍如下:

Project Lombok makes java a spicier language by adding 'handlers' that know how to build and compile simple, boilerplate-free, not-quite-java code.

        大致意思是Lombok通过增加一些处理程序,可以让java变得简洁、快速。

2 Lombok使用方法

        Lombok能以简单的注解形式来简化java代码,提高开发人员的开发效率。例如开发中经常需要写的javabean,都需要花时间去添加相应的getter/setter,也许还要去写构造器、equals等方法,而且需要维护,当属性多时会出现大量的getter/setter方法,这些显得很冗长也没有太多技术含量,一旦修改属性,就容易出现忘记修改对应方法的失误。

        Lombok能通过注解的方式,在编译时自动为属性生成构造器、getter/setterequalshashcodetoString方法。出现的神奇就是在源码中没有gettersetter方法,但是在编译生成的字节码文件中有gettersetter方法。这样就省去了手动重建这些代码的麻烦,使代码看起来更简洁些。

        Lombok的使用跟引用jar包一样,可以在官网(Download)下载jar包,也可以使用maven添加依赖:

<dependency>

    <groupId>org.projectlombok</groupId>

    <artifactId>lombok</artifactId>

    <version>1.16.20</version>

<scope>provided</scope>

</dependency>

        接下来我们来分析Lombok中注解的具体用法。

2.1 @Data

        @Data注解在类上,会为类的所有属性自动生成setter/getterequalscanEqualhashCodetoString方法,如为final属性,则不会为该属性生成setter方法。

官方实例如下:

import lombok.AccessLevel;

import lombok.Setter;

import lombok.Data;

import lombok.ToString;

@Data

public class DataExample {

  private final String name;

  @Setter(AccessLevel.PACKAGE) private int age;

  private double score;

  private String[] tags;

 

  @ToString(includeFieldNames=true)

  @Data(staticConstructor="of")

  public static class Exercise<T> {

    private final String name;

    private final T value;

  }

}

如不使用Lombok,则实现如下:

import java.util.Arrays;

public class DataExample {

  private final String name;

  private int age;

  private double score;

  private String[] tags;

  public DataExample(String name) {

    this.name = name;

  }

  public String getName() {

    return this.name;

  }

  void setAge(int age) {

    this.age = age;

  }

  public int getAge() {

    return this.age;

  }

  public void setScore(double score) {

    this.score = score;

  }

  public double getScore() {

    return this.score;

  }

  public String[] getTags() {

    return this.tags;

  }

  public void setTags(String[] tags) {

    this.tags = tags;

  }

  @Override public String toString() {

    return "DataExample(" + this.getName() + ", " + this.getAge() + ", " + this.getScore() + ", " + Arrays.deepToString(this.getTags()) + ")";

  }

  protected boolean canEqual(Object other) {

    return other instanceof DataExample;

  }

 

  @Override public boolean equals(Object o) {

    if (o == this) return true;

    if (!(o instanceof DataExample)) return false;

    DataExample other = (DataExample) o;

    if (!other.canEqual((Object)this)) return false;

    if (this.getName() == null ? other.getName() != null : !this.getName().equals(other.getName())) return false;

    if (this.getAge() != other.getAge()) return false;

    if (Double.compare(this.getScore(), other.getScore()) != 0) return false;

    if (!Arrays.deepEquals(this.getTags(), other.getTags())) return false;

    return true;

  }

 

  @Override public int hashCode() {

    final int PRIME = 59;

    int result = 1;

    final long temp1 = Double.doubleToLongBits(this.getScore());

    result = (result*PRIME) + (this.getName() == null ? 43 : this.getName().hashCode());

    result = (result*PRIME) + this.getAge();

    result = (result*PRIME) + (int)(temp1 ^ (temp1 >>> 32));

    result = (result*PRIME) + Arrays.deepHashCode(this.getTags());

    return result;

  }

 

  public static class Exercise<T> {

    private final String name;

    private final T value;

    private Exercise(String name, T value) {

      this.name = name;

      this.value = value;

    }

    public static <T> Exercise<T> of(String name, T value) {

      return new Exercise<T>(name, value);

    }

    public String getName() {

      return this.name;

    }

    public T getValue() {

      return this.value;

    }

    @Override public String toString() {

      return "Exercise(name=" + this.getName() + ", value=" + this.getValue() + ")";

    }

    protected boolean canEqual(Object other) {

      return other instanceof Exercise;

    }

   

    @Override public boolean equals(Object o) {

      if (o == this) return true;

      if (!(o instanceof Exercise)) return false;

      Exercise<?> other = (Exercise<?>) o;

      if (!other.canEqual((Object)this)) return false;

      if (this.getName() == null ? other.getValue() != null : !this.getName().equals(other.getName())) return false;

      if (this.getValue() == null ? other.getValue() != null : !this.getValue().equals(other.getValue())) return false;

      return true;

    }

   

    @Override public int hashCode() {

      final int PRIME = 59;

      int result = 1;

      result = (result*PRIME) + (this.getName() == null ? 43 : this.getName().hashCode());

      result = (result*PRIME) + (this.getValue() == null ? 43 : this.getValue().hashCode());

      return result;

    }

  }

}

 

2.2 @Getter/@Setter

        如果觉得@Data太过残暴(因为@Data集合了@ToString@EqualsAndHashCode@Getter/@Setter@RequiredArgsConstructor的所有特性)不够精细,可以使用@Getter/@Setter注解,此注解在属性上,可以为相应的属性自动生成Getter/Setter方法,示例如下:

import lombok.AccessLevel;import lombok.Getter;import lombok.Setter;

public class GetterSetterExample {

  @Getter @Setter

private int age = 10;

  @Setter(AccessLevel.PROTECTED)

private String name;

  @Override public String toString() {

    return String.format("%s (age: %d)", name, age);

  }

}

如果不使用Lombok:

public class GetterSetterExample {

  private int age = 10;

  private String name;

  @Override public String toString() {

    return String.format("%s (age: %d)", name, age);

  }

  public int getAge() {

    return age;

  }

  public void setAge(int age) {

    this.age = age;

  }

  protected void setName(String name) {

    this.name = name;

  }

}

 

2.3 @NonNull

`        该注解用在属性或构造器上,Lombok会生成一个非空的声明,可用于校验参数,能帮助避免空指针。

示例如下:

import lombok.NonNull;

public class NonNullExample extends Something {

  private String name;

  public NonNullExample(@NonNull Person person) {

    super("Hello");

    this.name = person.getName();

  }

}

不使用Lombok:

import lombok.NonNull;

public class NonNullExample extends Something {

  private String name;

  public NonNullExample(@NonNull Person person) {

    super("Hello");

    if (person == null) {

      throw new NullPointerException("person");

    }

    this.name = person.getName();

  }

}

2.4 @Cleanup

        该注解能帮助我们自动调用close()方法,很大的简化了代码。

示例如下:

import lombok.Cleanup;import java.io.*;

public class CleanupExample {

  public static void main(String[] args) throws IOException {

    @Cleanup InputStream in = new FileInputStream(args[0]);

    @Cleanup OutputStream out = new FileOutputStream(args[1]);

    byte[] b = new byte[10000];

    while (true) {

      int r = in.read(b);

      if (r == -1) break;

      out.write(b, 0, r);

    }

  }

}

如不使用Lombok,则需如下:

import java.io.*;

public class CleanupExample {

  public static void main(String[] args) throws IOException {

    InputStream in = new FileInputStream(args[0]);

    try {

      OutputStream out = new FileOutputStream(args[1]);

      try {

        byte[] b = new byte[10000];

        while (true) {

          int r = in.read(b);

          if (r == -1) break;

          out.write(b, 0, r);

        }

      } finally {

        if (out != null) {

          out.close();

        }

      }

    } finally {

      if (in != null) {

        in.close();

      }

    }

  }

}

2.5 @EqualsAndHashCode

        默认情况下,会使用所有非静态(non-static)和非瞬态(non-transient)属性来生成equalshasCode,也能通过exclude注解来排除一些属性。

示例如下:

import lombok.EqualsAndHashCode;

@EqualsAndHashCode(exclude={"id", "shape"})

public class EqualsAndHashCodeExample {

  private transient int transientVar = 10;

  private String name;

  private double score;

  private Shape shape = new Square(5, 10);

  private String[] tags;

  private int id;

  public String getName() {

    return this.name;

  }

  @EqualsAndHashCode(callSuper=true)

  public static class Square extends Shape {

    private final int width, height;

    public Square(int width, int height) {

      this.width = width;

      this.height = height;

    }

  }

}

2.6 @ToString

        类使用@ToString注解,Lombok会生成一个toString()方法,默认情况下,会输出类名、所有属性(会按照属性定义顺序),用逗号来分割。

        通过将includeFieldNames参数设为true,就能明确的输出toString()属性。这一点是不是有点绕口,通过代码来看会更清晰些。

使用Lombok的示例:

import lombok.ToString;

@ToString(exclude="id")

public class ToStringExample {

  private static final int STATIC_VAR = 10;

  private String name;

  private Shape shape = new Square(5, 10);

  private String[] tags;

  private int id;

  public String getName() {

    return this.getName();

  }

  @ToString(callSuper=true, includeFieldNames=true)

  public static class Square extends Shape {

    private final int width, height;

   

    public Square(int width, int height) {

      this.width = width;

      this.height = height;

    }

  }

}

不使用Lombok的示例如下:

import java.util.Arrays;

public class ToStringExample {

  private static final int STATIC_VAR = 10;

  private String name;

  private Shape shape = new Square(5, 10);

  private String[] tags;

  private int id;

  public String getName() {

    return this.getName();

  }

  public static class Square extends Shape {

    private final int width, height;

    public Square(int width, int height) {

      this.width = width;

      this.height = height;

    }

    @Override public String toString() {

      return "Square(super=" + super.toString() + ", width=" + this.width + ", height=" + this.height + ")";

    }

  }

  @Override public String toString() {

    return "ToStringExample(" + this.getName() + ", " + this.shape + ", " + Arrays.deepToString(this.tags) + ")";

  }

}

2.7 @NoArgsConstructor, @RequiredArgsConstructor and @AllArgsConstructor

        无参构造器、部分参数构造器、全参构造器。Lombok没法实现多种参数构造器的重载。

Lombok示例代码如下:

import lombok.AccessLevel;

import lombok.RequiredArgsConstructor;

import lombok.AllArgsConstructor;

mport lombok.NonNull;

@RequiredArgsConstructor(staticName = "of")

@AllArgsConstructor(access = AccessLevel.PROTECTED)public class ConstructorExample<T> {

  private int x, y;

  @NonNull private T description;

 

  @NoArgsConstructor

  public static class NoArgsExample {

    @NonNull private String field;

  }

}

不使用Lombok的示例如下:

public class ConstructorExample<T> {

  private int x, y;

  @NonNull private T description;

  private ConstructorExample(T description) {

    if (description == null) throw new NullPointerException("description");

    this.description = description;

  }

  public static <T> ConstructorExample<T> of(T description) {

    return new ConstructorExample<T>(description);

  }

  @java.beans.ConstructorProperties({"x", "y", "description"})

  protected ConstructorExample(int x, int y, T description) {

    if (description == null) throw new NullPointerException("description");

    this.x = x;

    this.y = y;

    this.description = description;

  }

  public static class NoArgsExample {

    @NonNull private String field;

    public NoArgsExample() {

    }

  }

}

3 Lombok工作原理分析

        会发现在Lombok使用的过程中,只需要添加相应的注解,无需再为此写任何代码。自动生成的代码到底是如何产生的呢?

        核心之处就是对于注解的解析上。JDK5引入了注解的同时,也提供了两种解析方式。

  • 运行时解析

        运行时能够解析的注解,必须将@Retention设置为RUNTIME,这样就可以通过反射拿到该注解。java.lang,reflect反射包中提供了一个接口AnnotatedElement,该接口定义了获取注解信息的几个方法,ClassConstructorFieldMethodPackage等都实现了该接口,对反射熟悉的朋友应该都会很熟悉这种解析方式。

  • 编译时解析

        编译时解析有两种机制,分别简单描述下:

1Annotation Processing Tool

        apt自JDK5产生,JDK7已标记为过期,不推荐使用,JDK8中已彻底删除,自JDK6开始,可以使用Pluggable Annotation Processing API来替换它,apt被替换主要有2点原因:

  • api都在com.sun.mirror非标准包下
  • 没有集成到javac中,需要额外运行

2Pluggable Annotation Processing API

JSR 269      JSR 269自JDK6加入,作为apt的替代方案,它解决了apt的两个问题,javac在执行的时候会调用实现了该API的程序,这样我们就可以对编译器做一些增强,这时javac执行的过程如下:

        Lombok本质上就是一个实现了JSR 269 API的程序。在使用javac的过程中,它产生作用的具体流程如下:

  1. javac对源代码进行分析,生成了一棵抽象语法树(AST
  2. 运行过程中调用实现了“JSR 269 API”Lombok程序
  3. 此时Lombok就对第一步骤得到的AST进行处理,找到@Data注解所在类对应的语法树(AST),然后修改该语法树(AST),增加gettersetter方法定义的相应树节点
  4. javac使用修改后的抽象语法树(AST)生成字节码文件,即给class增加新的节点(代码块)

        拜读了Lombok源码,对应注解的实现都在HandleXXX中,比如@Getter注解的实现时HandleGetter.handle()。还有一些其它类库使用这种方式实现,比如Google AutoDagger等等。

4. Lombok的优缺点

优点:

  1. 能通过注解的形式自动生成构造器、getter/setterequalshashcodetoString等方法,提高了一定的开发效率
  2. 让代码变得简洁,不用过多的去关注相应的方法
  3. 属性做修改时,也简化了维护为这些属性所生成的getter/setter方法等

缺点:

  1. 不支持多种参数构造器的重载
  2. 虽然省去了手动创建getter/setter方法的麻烦,但大大降低了源代码的可读性和完整性,降低了阅读源代码的舒适度

5. 总结

        Lombok虽然有很多优点,但Lombok更类似于一种IDE插件,项目也需要依赖相应的jar包。Lombok依赖jar包是因为编译时要用它的注解,为什么说它又类似插件?因为在使用时,eclipseIntelliJ IDEA都需要安装相应的插件,在编译器编译时通过操作AST(抽象语法树)改变字节码生成,变向的就是说它在改变java语法。它不像spring的依赖注入或者mybatisORM一样是运行时的特性,而是编译时的特性。这里我个人最感觉不爽的地方就是对插件的依赖!因为Lombok只是省去了一些人工生成代码的麻烦,但IDE都有快捷键来协助生成getter/setter等方法,也非常方便。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.rhkb.cn/news/324728.html

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

QueryPerformanceCounter实现高精度uS(微妙)延时

参考连接 C# 利用Kernel32的QueryPerformanceCounter封装的 高精度定时器Timer_kernel32.dll queryperformancecounter-CSDN博客https://blog.csdn.net/wuyuander/article/details/111831973 特此记录 anlog 2024年5月11日

土地档案管理关系参考论文(论文 + 源码)

【免费】javaEE土地档案管理系统.zip资源-CSDN文库https://download.csdn.net/download/JW_559/89296786 土地档案管理关系 摘 要 研究土地档案管理关系即为实现一个土地档案管理系统。土地档案管理系统是将现有的历史纸质档案资料进行数字化加工处理&#xff0c;建成标准化的…

探索Linux:深入理解各种指令与用法

文章目录 cp指令mv指令cat指令more指令less指令head指令tail指令与时间相关的指令date指令 cal指令find指令grep指令zip/unzip指令总结 上一个Linux文章我们介绍了大部分指令&#xff0c;这节我们将继续介绍Linux的指令和用法。 cp指令 功能&#xff1a;复制文件或者目录 语法…

基于Qt的Model-View显示树形数据

目标 用qt的模型-视图框架实现树型层次节点的显示&#xff0c;从QAbstractItemModel派生自己的模型类MyTreeItemModel&#xff0c;用boost::property_tree::ptree操作树型数据结构&#xff0c;为了演示&#xff0c;此处只实现了个只读的模型 MyTreeItemModel的定义 #pragma o…

张驰咨询:AI与六西格玛——携手共进,非彼此替代

在历史的洪流中&#xff0c;技术与方法的演进如同波澜壮阔的画卷&#xff0c;不断书写着人类文明的篇章。六西格玛&#xff0c;作为一种追求极致品质与效率的方法论&#xff0c;是现代工业文明中的瑰宝。而当我们面对AI&#xff08;人工智能&#xff09;这一新时代的产物时&…

[leetcode] 68. 文本左右对齐

文章目录 题目描述解题方法贪心java代码复杂度分析 题目描述 给定一个单词数组 words 和一个长度 maxWidth &#xff0c;重新排版单词&#xff0c;使其成为每行恰好有 maxWidth 个字符&#xff0c;且左右两端对齐的文本。 你应该使用 “贪心算法” 来放置给定的单词&#xff…

视频监控系统中,中心录像服务器的录像文件实际大小和理论值相差很大的问题解决

目录 一、现象描述 二、视频监控的录像文件计算 &#xff08;一&#xff09;计算方法 1、仅视频部分 2、视频和音频部分 3、使用平均码率 &#xff08;二&#xff09;计算工具 1、关注威迪斯特公众号 2、打开“计算容量”的小工具 三、原因分析 &#xff08;一&…

Redis 实战之命令请求的执行过程

命令请求的执行过程 发送命令请求读取命令请求命令执行器&#xff08;1&#xff09;&#xff1a;查找命令实现命令执行器&#xff08;2&#xff09;&#xff1a;执行预备操作命令执行器&#xff08;3&#xff09;&#xff1a;调用命令的实现函数命令执行器&#xff08;4&#x…

【回溯算法】【Python实现】最大团问题

文章目录 [toc]问题描述回溯算法Python实现时间复杂性 问题描述 给定无向图 G ( V , E ) G (V , E) G(V,E)&#xff0c;如果 U ⊆ V U \subseteq V U⊆V&#xff0c;且对任意 u u u&#xff0c; v ∈ U v \in U v∈U有 ( u , v ) ∈ E (u , v) \in E (u,v)∈E&#xff0c;则称…

Navicat导出表结构到Excel或Word

文章目录 sql语句复制到excel复制到Word sql语句 SELECTcols.COLUMN_NAME AS 字段,cols.COLUMN_TYPE AS 数据类型,IF(pks.CONSTRAINT_TYPE PRIMARY KEY, YES, NO) AS 是否为主键,IF(idxs.INDEX_NAME IS NOT NULL, YES, NO) AS 是否为索引,cols.IS_NULLABLE AS 是否为空,cols.…

13.Netty组件EventLoopGroup和EventLoop介绍

EventLoop 是一个单线程的执行器&#xff08;同时维护了一个Selector&#xff09;&#xff0c;里面有run方法处理Channel上源源不断的io事件。 1.继承java.util.concurrent.ScheduledExecutorService因此包含了线程池中所有的方法。 2.继承netty自己的OrderedEventExecutor …

JDBC调用MogDB存储过程返回ref_cursor的方法和注意事项

MogDB在处理存储过程的时候&#xff0c;有时候需要返回结果集&#xff0c;类型为ref_cursor&#xff0c;但有时候可能会报错。而大部分应用程序都是使用Java JDBC. 根据我们这几年的数据库国产化改造经验&#xff0c;给大家分享一下JDBC调用 MogDB存储过程返回ref_cursor的方法…

算法设计与分析 例题解答 解空间与搜索

1.请画出用回溯法解n3的0-1背包问题的解空间树和当三个物品的重量为{20, 15, 10}&#xff0c;价值为{20, 30, 25}&#xff0c;背包容量为25时搜索空间树。 答&#xff1a; 解空间树&#xff1a; 搜索空间树&#xff1a; 2. 考虑用分支限界解0-1背包问题 给定n种物品和一背包…

2 GPIO控制

ESP32的GPIO的模式&#xff0c;一共有输入和输出模式两类。其中输入模式&#xff1a;上拉输入、下拉输入、浮空输入、模拟输入&#xff1b;输出模式&#xff1a;输出模式、开漏输出&#xff08;跟stm32八种输入输出模式有所不同&#xff09;。库函数中控制引脚的函数如下&#…

行业新应用:电机驱动将成为机器人的动力核心

电机已经遍布当今社会人们生活的方方面面&#xff0c;不仅应用范围越来越广&#xff0c;更新换代的速度也日益加快。按照工作电源分类&#xff0c;可以将它划分为直流电机和交流电机两大类型。直流电机中&#xff0c;按照线圈类型分类&#xff0c;又可以分为有铁芯的电机、空心…

FFmpeg常用API与示例(四)——过滤器实战

1.filter 在多媒体处理中&#xff0c;filter 的意思是被编码到输出文件之前用来修改输入文件内容的一个软件工具。如&#xff1a;视频翻转&#xff0c;旋转&#xff0c;缩放等。 语法&#xff1a;[input_link_label1]… filter_nameparameters [output_link_label1]… 1、视…

书生浦语训练营第四次课作业

基础作业 环境配置 拷贝internlm开发机内的环境 studio-conda xtuner0.1.17# 激活环境 conda activate xtuner0.1.17 # 进入家目录 &#xff08;~的意思是 “当前用户的home路径”&#xff09; cd ~ # 创建版本文件夹并进入&#xff0c;以跟随本教程 mkdir -p /root/xtuner0…

27.哀家要长脑子了!---栈与队列

1.739. 每日温度 - 力扣&#xff08;LeetCode&#xff09; 用单调栈的方法做&#xff1a; 从左到右遍历数组&#xff1a; 栈中存放的是下标&#xff0c;每个温度在原数组中的下标&#xff0c;从大到小排列&#xff0c;因为这样才能确保的是最近一天的升高温度 如果栈为空&am…

优化重启Redis服务脚本

#!/bin/sh echo -e "\033[33m正在关闭redis服务和测试redis进程是否关闭...\033[0m" pkill redis-server sleep 1 #echo -e "\033[33m测试redis进程是否关闭...\033[0m" ps -ef|grep redis-server sleep 1 echo "" echo -e "\033[33m正在…

【人工智能Ⅱ】实验5:自然语言处理实践(情感分类)

实验5&#xff1a;自然语言处理实践&#xff08;情感分类&#xff09; 一&#xff1a;实验目的与要求 1&#xff1a;掌握RNN、LSTM、GRU的原理。 2&#xff1a;学习用RNN、LSTM、GRU网络建立训练模型&#xff0c;并对模型进行评估。 3&#xff1a;学习用RNN、LSTM、GRU网络做…