1.使用gradle构建多模块微信项目
一般中大型项目都会将程序分为多个模块来开发,除了依赖第三方库之外,不同模块之间彼此也可能存在依赖关系, Gradle 提供的配置方式,可以很容易的完成多模块建构。
我们首先建立工程文件夹 chuxin-wechat,并且在工程文件夹下针对四个模块分别建立文件夹,接着执行初始化指令。
我的工程目录在E:\IdeaWorkSpace
所以操作步骤:ctrl+R 输入cmd回车打开命令行模式。
在命令行中输入:cd E:
E:
E:\IdeaWorkSpace\
这样就进入了E盘下的工作目录IdeaWorkSpace。
在该目录下输入以下命令:
E:\IdeaWorkSpace>mkdir chuxin-wechat\wechat-common
E:\IdeaWorkSpace>mkdir chuxin-wechat\wechat-dao
E:\IdeaWorkSpace>mkdir chuxin-wechat\wechat-server
E:\IdeaWorkSpace>mkdir chuxin-wechat\wechat-web
E:\IdeaWorkSpace>cd chuxin-wechat
gradle init
现在项目结构就构建完成了。
接着修改 settings.gradle 文件,将四个模块加入其中
rootProject.name = 'chuxin-wechat'
include 'wechat-common', 'wechat-dao', 'wechat-server','wechat-web'
写代码的時候通常会考虑到代码重用的问题, Gradle 构建脚本也有类似的功能, allprojects 属性块可以设定所有模块共享的配置,例如:所有模块都引入 idea 插件。
allprojects {
apply plugin: 'idea'
}
subprojects 属性块可以设定所有子模块共享的配置,例如:所有模块都引入 java 插件, repositories,依赖包,依赖包版本等
subprojects {
apply plugin: 'java'
apply plugin: 'idea'
apply plugin: 'application'
apply plugin: 'org.springframework.boot'
sourceCompatibility = 1.8
mainClassName = 'com.chuxin.wechat.web.admin.AdminApp'
repositories {
maven {url 'http://218.57.247.37:8081/repository/maven-public/'}
}
dependencies {
compile(
"org.springframework.boot:spring-boot-configuration-processor:${springBootVersion}"
)
testCompile ("org.springframework.boot:spring-boot-starter-test:${springBootVersion}")
}
}
还可以在 configure 属性块根据模块名称引入特定插件
configure(subprojects.findAll {it.name.contains('web')}) {
apply plugin: 'jar'
}
个别模块所需要的配置则可以在 project 属性块中单独设定
project(':wechat-common') {
dependencies {
compile(
"org.springframework:spring-context:$springVersion",
"org.springframework:spring-orm:$springVersion",
"org.springframework:spring-tx:$springVersion",
"org.springframework.data:spring-data-jpa:1.10.3.RELEASE",
"org.hibernate:hibernate-entitymanager:$hibernateVersion",
"c3p0:c3p0:0.9.1.2",
"mysql:mysql-connector-java:6.0.4"
)
}
}
project(':wechat-dao') {
dependencies {
compile(
project (':core'),
"org.springframework:spring-web:${springVersion}"
)
}
}
project(':wechat_server') {
dependencies {
compile(
project (':core'),
"org.springframework:spring-web:${springVersion}"
)
}
}
project(':wechat_web') {
dependencies {
compile(
project (':core'),
"org.springframework:spring-web:${springVersion}"
)
}
}
注意:以上所加jar包等配置军均为演示,在后续实际项目中会一点一点的往里面加。
以上是其中一种方式,将所有内容写在总工程资料夹下的 build.gradle 中,如果是大型项目,切分为众多模块,且建构脚本的内容既多且复杂,那也可以将每个模块资料夹下产生一份 build.gradle,用来处理个别模块的建构过程,类似父类别与子类别的概念,将需要重用的属性块及函数等写在上层 build.gradle 中,即可让所有模块的 build.gradle 调用。
以上是本文对多模块做法的介绍