使用idea的groovy脚本自动创建Jpa的实体

使用idea的groovy脚本自动创建Jpa的实体

  1. 选中数据库的表;
  2. 右击选择Scripted Extension中的Go to scripts diretory;
  3. 新建一个文件,名称为:JpaGenerate POJOs.groovy;
  4. 复制粘贴如下内容;
  5. 选中数据库中需要新建entity的表;
  6. 右击选中Scripted Extension中的JpaGenerate POJOs.groovy执行;
  7. 在指定目录下生成驼峰命名的实体对象;
  8. 需要修改生成内容的,可以看看脚本内容,进行修改。
import com.intellij.database.model.DasTable
import com.intellij.database.model.ObjectKind
import com.intellij.database.util.Case
import com.intellij.database.util.DasUtil
import java.io.*
import java.text.SimpleDateFormat
import java.time.LocalDate

/*
 * Available context bindings:
 *   SELECTION   Iterable<DasObject>
 *   PROJECT     project
 *   FILES       files helper
 */
packageName = "com.cyneck.web.entity"
// 此处指定对应的类型映射,可按需修改,目前tinyint如果要映射到自定义枚举类型,只能手动修改
typeMapping = [
        (~/(?i)bigint/)                         : "Long",
        (~/(?i)smallint|mediumint|tinyint|int/) : "Integer",
        (~/(?i)bool|bit/)                       : "Boolean",
        (~/(?i)float|double|decimal|real/): "BigDecimal",
        (~/(?i)time|datetime|timestamp/)  : "LocalDateTime",
        (~/(?i)date/)                     : "LocalDate",
        (~/(?i)blob|mediumblob|binary|bfile|clob|raw|image/): "Byte[]",
        (~/(?i)text|mediumtext/)          : "String",
        (~/(?i)/)                         : "String"
]



FILES.chooseDirectoryAndSave("Choose directory", "Choose where to store generated files") { dir ->
    SELECTION.filter { it instanceof DasTable && it.getKind() == ObjectKind.TABLE }.each { generate(it, dir) }
}

def generate(table, dir) {
    //def className = javaClassName(table.getName(), true)
    def className = javaName(table.getName(), true)
    def fields = calcFields(table)
    packageName = getPackageName(dir)
    PrintWriter printWriter = new PrintWriter(new OutputStreamWriter(new FileOutputStream(new File(dir, className + ".java")), "UTF-8"))
    printWriter.withPrintWriter {out -> generate(out, className, fields,table)}

//    new File(dir, className + ".java").withPrintWriter { out -> generate(out, className, fields,table) }
}

// 获取包所在文件夹路径
def getPackageName(dir) {
    return dir.toString().replaceAll("\\", ".").replaceAll("/", ".").replaceAll("^.*src(\.main\.java\.)?", "") + ";"
}

def generate(out, className, fields,table) {
    def tableName = table.getName()
    out.println "package $packageName"
    out.println ""
    out.println "import javax.persistence.*;"
    /*out.println "import javax.persistence.Entity;"
    out.println "import javax.persistence.Table;"*/
    out.println "import java.io.Serializable;"
    out.println "import lombok.Data;"
    out.println "import org.hibernate.annotations.GenericGenerator;"
    /*out.println "import lombok.AllArgsConstructor;"
    out.println "import lombok.Builder;"
    out.println "import lombok.NoArgsConstructor;"*/

    Set types = new HashSet()

    fields.each() {
        types.add(it.type)
    }

    if (types.contains("Date")) {
        out.println "import java.util.Date;"
    }

    if (types.contains("InputStream")) {
        out.println "import java.io.InputStream;"
    }
    out.println ""
    // 添加类注释
    out.println "/**"
    // 如果添加了表注释,会加到类注释上
    if (isNotEmpty(table.getComment())) {
        out.println " * " + table.getComment()
    }
    out.println " *"
    out.println " * @author Eric.Lee"
    out.println " * @since " + new SimpleDateFormat("yyyy-MM-dd HH:mm:ss").format(new Date())
    out.println " */"

    out.println "@Data"
    out.println "@Entity"
    out.println "@Table(name = ""+table.getName() +"")"
    out.println "public class $className implements Serializable {"
    out.println genSerialID()


    // 判断自增
    /*if ((tableName + "_id").equalsIgnoreCase(fields[0].colName) || "id".equalsIgnoreCase(fields[0].colName)) {
        out.println "	@Id"
        out.println "	@GeneratedValue(generator = "idGenerator")"
        out.println "	@GenericGenerator(name = "idGenerator", strategy = ChiticCoreConstant.ID_GENERATOR_COMMON)"
    }*/


    fields.each() {
        out.println ""
        // 输出注释
        if (isNotEmpty(it.commoent)) {
            out.println "	/**"
            out.println "	 * ${it.commoent.toString()}"
            out.println "	 */"
        }

        if (it.annos != ""){
            if (it.annos.contains("[@Id]")){
                out.println "	@Id"
                out.println "	@GeneratedValue(generator = "idGenerator")"
                out.println "	@GenericGenerator(name = "idGenerator", strategy = "uuid")"
            }
            out.println "   ${it.annos.replace("[@Id]", "")}"
        }


        // 输出成员变量
        out.println "	private ${it.type} ${it.name};"
    }

    // 输出get/set方法
//    fields.each() {
//        out.println ""
//        out.println "	public ${it.type} get${it.name.capitalize()}() {"
//        out.println "		return this.${it.name};"
//        out.println "	}"
//        out.println ""
//
//        out.println "	public void set${it.name.capitalize()}(${it.type} ${it.name}) {"
//        out.println "		this.${it.name} = ${it.name};"
//        out.println "	}"
//    }
    out.println ""
    out.println "}"
}

def calcFields(table) {
    DasUtil.getColumns(table).reduce([]) { fields, col ->
        def spec = Case.LOWER.apply(col.getDataType().getSpecification())

        def typeStr = typeMapping.find { p, t -> p.matcher(spec).find() }.value
        def comm =[
                colName : col.getName(),
                name :  javaName(col.getName(), false),
                type : typeStr,
                commoent: col.getComment(),
                annos: "	@Column(name = ""+col.getName()+"")"]
        if("id".equals(Case.LOWER.apply(col.getName())))
            comm.annos +=["@Id"]
        fields += [comm]
    }
}

// 处理类名(这里是因为我的表都是以t_命名的,所以需要处理去掉生成类名时的开头的T,
// 如果你不需要那么请查找用到了 javaClassName这个方法的地方修改为 javaName 即可)
def javaClassName(str, capitalize) {
    def s = com.intellij.psi.codeStyle.NameUtil.splitNameIntoWords(str)
            .collect { Case.LOWER.apply(it).capitalize() }
            .join("")
            .replaceAll(/[^p{javaJavaIdentifierPart}[_]]/, "_")
    // 去除开头的T  http://developer.51cto.com/art/200906/129168.htm
    s = s[1..s.size() - 1]
    capitalize || s.length() == 1? s : Case.LOWER.apply(s[0]) + s[1..-1]
}

def javaName(str, capitalize) {
//    def s = str.split(/(?<=[^p{IsLetter}])/).collect { Case.LOWER.apply(it).capitalize() }
//            .join("").replaceAll(/[^p{javaJavaIdentifierPart}]/, "_")
//    capitalize || s.length() == 1? s : Case.LOWER.apply(s[0]) + s[1..-1]
    def s = com.intellij.psi.codeStyle.NameUtil.splitNameIntoWords(str)
            .collect { Case.LOWER.apply(it).capitalize() }
            .join("")
            .replaceAll(/[^p{javaJavaIdentifierPart}[_]]/, "_")
    capitalize || s.length() == 1? s : Case.LOWER.apply(s[0]) + s[1..-1]
}

def isNotEmpty(content) {
    return content != null && content.toString().trim().length() > 0
}

static String changeStyle(String str, boolean toCamel){
    if(!str || str.size() <= 1)
        return str

    if(toCamel){
        String r = str.toLowerCase().split('_').collect{cc -> Case.LOWER.apply(cc).capitalize()}.join('')
        return r[0].toLowerCase() + r[1..-1]
    }else{
        str = str[0].toLowerCase() + str[1..-1]
        return str.collect{cc -> ((char)cc).isUpperCase() ? '_' + cc.toLowerCase() : cc}.join('')
    }
}

static String genSerialID()
{
    return "	private static final long serialVersionUID =  "+Math.abs(new Random().nextLong())+"L;"
}
原文地址:https://www.cnblogs.com/aric2016/p/14255712.html