Building Java Libraries Sample
| You can open this sample inside an IDE using the IntelliJ native importer or Eclipse Buildship. | 
This guide demonstrates how to create a Java library with Gradle using gradle init.
You can follow the guide step-by-step to create a new project from scratch or download the complete sample project using the links above.
What you’ll build
You’ll generate a Java library that follows Gradle’s conventions.
What you’ll need
- 
A text editor or IDE - for example IntelliJ IDEA 
- 
A Java Development Kit (JDK), version 8 or higher - for example AdoptOpenJDK 
- 
The latest Gradle distribution 
Create a project folder
Gradle comes with a built-in task, called init, that initializes a new Gradle project in an empty folder.
The init task uses the (also built-in) wrapper task to create a Gradle wrapper script, gradlew.
The first step is to create a folder for the new project and change directory into it.
$ mkdir demo $ cd demo
Run the init task
From inside the new project directory, run the init task using the following command in a terminal: gradle init.
When prompted, select the 3: library project type and 3: Java as implementation language.
Next you can choose the DSL for writing buildscripts -  1  : Groovy or 2: Kotlin.
For the other questions, press enter to use the default values.
The output will look like this:
$ gradle init Select type of project to generate: 1: basic 2: application 3: library 4: Gradle plugin Enter selection (default: basic) [1..4] 3 Select implementation language: 1: C++ 2: Groovy 3: Java 4: Kotlin 5: Scala 6: Swift Enter selection (default: Java) [1..6] 3 Select build script DSL: 1: Groovy 2: Kotlin Enter selection (default: Groovy) [1..2] 1 Select test framework: 1: JUnit 4 2: TestNG 3: Spock 4: JUnit Jupiter Enter selection (default: JUnit 4) [1..4] Project name (default: demo): Source package (default: demo): BUILD SUCCESSFUL 2 actionable tasks: 2 executed
The init task generates the new project with the following structure:
├── gradle (1)
│   └── wrapper
│       ├── gradle-wrapper.jar
│       └── gradle-wrapper.properties
├── gradlew (2)
├── gradlew.bat (2)
├── settings.gradle.kts (3)
└── lib
    ├── build.gradle.kts (4)
    └── src
        ├── main
        │   └── java (5)
        │       └── demo
        │           └── Library.java
        └── test
            └── java (6)
                └── demo
                    └── LibraryTest.java├── gradle (1)
│   └── wrapper
│       ├── gradle-wrapper.jar
│       └── gradle-wrapper.properties
├── gradlew (2)
├── gradlew.bat (2)
├── settings.gradle (3)
└── lib
    ├── build.gradle (4)
    └── src
        ├── main
        │   └── java (5)
        │       └── demo
        │           └── Library.java
        └── test
            └── java (6)
                └── demo
                    └── LibraryTest.java| 1 | Generated folder for wrapper files | 
| 2 | Gradle wrapper start scripts | 
| 3 | Settings file to define build name and subprojects | 
| 4 | Build script of libproject | 
| 5 | Default Java source folder | 
| 6 | Default Java test source folder | 
You now have the project setup to build a Java library.
Review the project files
The settings.gradle(.kts) file has two interesting lines:
rootProject.name = "demo"
include("lib")rootProject.name = 'demo'
include('lib')- 
rootProject.nameassigns a name to the build, which overrides the default behavior of naming the build after the directory it’s in. It’s recommended to set a fixed name as the folder might change if the project is shared - e.g. as root of a Git repository.
- 
include("lib")defines that the build consists of one subproject calledlibthat contains the actual code and build logic. More subprojects can be added by additionalinclude(…)statements.
Our build contains one subproject called lib that represents the Java library we are building.
It is configured in the lib/build.gradle(.kts) file:
plugins {
    `java-library` (1)
}
repositories {
    mavenCentral() (2)
}
dependencies {
    testImplementation("org.junit.jupiter:junit-jupiter:5.9.1") (3)
    api("org.apache.commons:commons-math3:3.6.1") (4)
    implementation("com.google.guava:guava:31.1-jre") (5)
}
tasks.named<Test>("test") {
    useJUnitPlatform() (6)
}plugins {
    id 'java-library' (1)
}
repositories {
    mavenCentral() (2)
}
dependencies {
    testImplementation 'org.junit.jupiter:junit-jupiter:5.9.1' (3)
    api 'org.apache.commons:commons-math3:3.6.1' (4)
    implementation 'com.google.guava:guava:31.1-jre' (5)
}
tasks.named('test') {
    useJUnitPlatform() (6)
}| 1 | Apply the java-library plugin for API and implementation separation. | 
| 2 | Use Maven Central for resolving dependencies. | 
| 3 | Use JUnit Jupiter for testing. | 
| 4 | This dependency is exported to consumers, that is to say found on their compile classpath. | 
| 5 | This dependency is used internally, and not exposed to consumers on their own compile classpath. | 
| 6 | Use JUnit Platform for unit tests. | 
The file src/main/java/demo/Library.java is shown here:
/*
 * This Java source file was generated by the Gradle 'init' task.
 */
package demo;
public class Library {
    public boolean someLibraryMethod() {
        return true;
    }
}The generated test, src/test/java/demo/Library.java is shown next:
/*
 * This Java source file was generated by the Gradle 'init' task.
 */
package demo;
import org.junit.jupiter.api.Test;
import static org.junit.jupiter.api.Assertions.*;
class LibraryTest {
    @Test void someLibraryMethodReturnsTrue() {
        Library classUnderTest = new Library();
        assertTrue(classUnderTest.someLibraryMethod(), "someLibraryMethod should return 'true'");
    }
}The generated test class has a single JUnit Jupiter test.
The test instantiates the Library class, invokes a method on it, and checks that it returns the expected value.
More information about the features the java-library plugin adds to any JVM library project, such as API and implementation separation, can be found in the Java Library Plugin documentation.
Assemble the library JAR
To build the project, run the build task. You can use the regular gradle command, but when a project includes a wrapper script, it is considered good form to use it instead.
$ ./gradlew build BUILD SUCCESSFUL in 0s 4 actionable tasks: 4 executed
| The first time you run the wrapper script, gradlew, there may be a delay while that version ofgradleis downloaded and stored locally in your~/.gradle/wrapper/distsfolder. | 
The first time you run the build, Gradle will check whether or not you already have the required dependencies in your cache under your ~/.gradle directory. If not, the libraries will be downloaded and stored there. The next time you run the build, the cached versions will be used. The build task compiles the classes, runs the tests, and generates a test report.
You can view the test report by opening the HTML output file, located at lib/build/reports/tests/test/index.html.
You can find your newly packaged JAR file in the lib/build/libs directory with the name lib.jar.
Verify that the archive is valid by running the following command:
$ jar tf lib/build/libs/lib.jar META-INF/ META-INF/MANIFEST.MF lib/ lib/Library.class
You should see the required manifest file —MANIFEST.MF— and the compiled Library class.
| All of this happens without any additional configuration in the build script because Gradle’s  | 
Congratulations, you have just completed the first step of creating a Java library! You can now customize this to your own project needs.
Customize the library JAR
You will often want the name of the JAR file to include the library version.
This is achieved by setting a top-level version property in the build script:
version = "0.1.0"version = '0.1.0'| Next to the version, other important identity properties of a library are it’s name and group.
The name is directly derived from the subproject name that represents the library.
It’s  | 
Now run the jar task:
$ ./gradlew jar BUILD SUCCESSFUL 2 actionable tasks: 1 executed, 1 up-to-date
You’ll notice that the resulting JAR file at lib/build/libs/lib-0.1.0.jar contains the version as expected.
Another common requirement is customizing the manifest file, typically by adding one or more attributes.
Let’s include the library name and version in the manifest file by configuring the jar task.
Add the following to the end of your build script:
tasks.jar {
    manifest {
        attributes(mapOf("Implementation-Title" to project.name,
                         "Implementation-Version" to project.version))
    }
}tasks.named('jar') {
    manifest {
        attributes('Implementation-Title': project.name,
                   'Implementation-Version': project.version)
    }
}To confirm that these changes work as expected, run the jar task again, and this time also unpack the manifest file from the JAR:
$ ./gradlew jar $ jar xf lib/build/libs/lib-0.1.0.jar META-INF/MANIFEST.MF
Now view the contents of the META-INF/MANIFEST.MF file and you should see the following:
Manifest-Version: 1.0
Implementation-Title: lib
Implementation-Version: 0.1.0Generating Sources JAR
You can easily generate a sources JAR for your library:
java {
    withSourcesJar()
}java {
    withSourcesJar()
}The additional JAR will be produced as part of the assemble or build lifecycle tasks and will be part of the publication.
The resulting file is found in lib/build/libs, with a name using the conventional classifier -sources.
Adding API documentation
The java-library plugin has built-in support for Java’s API documentation tool via the javadoc task.
The code generated by the Build Init plugin already placed a comment on the demo/Library.java file.
Replace / in the comment by /* so that it becomes javadoc markup:
/**
 * This java source file was generated by the Gradle 'init' task.
 */
 ...Run the javadoc task.
$ ./gradlew javadoc BUILD SUCCESSFUL 2 actionable tasks: 1 executed, 1 up-to-date
You can view the generated javadoc files by opening the HTML file located at lib/build/docs/javadoc/index.html.
You can also generate a Javadoc JAR for your library:
java {
    withJavadocJar()
}java {
    withJavadocJar()
}The additional JAR will be produced as part of the assemble or build lifecycle tasks and will be part of the publication.
The resulting file is found in lib/build/libs, with a name using the conventional classifier -javadoc.
Publish a Build Scan
The best way to learn more about what your build is doing behind the scenes, is to publish a build scan.
To do so, just run Gradle with the --scan flag.
$ ./gradlew build --scan BUILD SUCCESSFUL in 0s 4 actionable tasks: 4 executed Publishing a build scan to scans.gradle.com requires accepting the Gradle Terms of Service defined at https://gradle.com/terms-of-service. Do you accept these terms? [yes, no] yes Gradle Terms of Service accepted. Publishing build scan... https://gradle.com/s/5u4w3gxeurtd2
Click the link and explore which tasks where executed, which dependencies where downloaded and many more details!
Summary
That’s it! You’ve now successfully configured and built a Java library project with Gradle. You’ve learned how to:
- 
Initialize a project that produces a Java library 
- 
Run the build and view the test report 
- 
Customize the Jar files the build produces 
Now you could complete this exercise by trying to compile some Java code that uses the library you just built.
Next steps
Building a library is just one aspect of reusing code across project boundaries. From here, you may be interested in: