Java: Basic Dropwizard Project

This entry is part 1 of 5 in the series Dropwizard

This tutorial will guide you through how to create a bare bones Dropwizard app. Ensure you have Eclipse installed or whatever IDE you are deciding to use. You can use their documentation as a guide. This is the first tutorial in the dropwizard series.

Setup Eclipse Archetype:

Select new Maven Project then in the select Archetype if dropwizard isn’t there you can add it by using the below settings.

Filter for Dropwizard Archetype:

Set Project Settings:

POM:

Ensure the pom has the correct “dropwizard.version” and that the dependency “dropwizard-core” is there.

Our Configuration:

Now that the project is created let’s have a look at what our configuration looks like. Pretty basic but that’s all we need right now.

  1. package ca.gaudreault.mydropwizardapp;
  2.  
  3. import io.dropwizard.Configuration;
  4. import com.fasterxml.jackson.annotation.JsonProperty;
  5. import org.hibernate.validator.constraints.*;
  6. import javax.validation.constraints.*;
  7.  
  8. public class MyDropwizardAppConfiguration extends Configuration {
  9. }

Our Application:

This is what our application class looks like. It’s empty nothing yet.

  1. package ca.gaudreault.mydropwizardapp;
  2.  
  3. import io.dropwizard.Application;
  4. import io.dropwizard.setup.Bootstrap;
  5. import io.dropwizard.setup.Environment;
  6.  
  7. public class MyDropwizardAppApplication extends Application {
  8.  
  9. public static void main(final String[] args) throws Exception {
  10. new MyDropwizardAppApplication().run(args);
  11. }
  12.  
  13. @Override
  14. public String getName() {
  15. return "MyDropwizardApp";
  16. }
  17.  
  18. @Override
  19. public void initialize(final Bootstrap bootstrap) {
  20.  
  21. }
  22.  
  23. @Override
  24. public void run(final MyDropwizardAppConfiguration configuration,
  25. final Environment environment) {
  26.  
  27. }
  28. }

Config.yml:

This is what our config.yml file looks like at the start.

  1. logging:
  2. level: INFO
  3. loggers:
  4. ca.gaudreault: DEBUG

Setup Debug Configuration:

Setup your debug configuration like the below setup.

Running:

Once you run it you will be running two sites.

  1. http://localhost:8080
    1. Your main site
  2. http://localhost:8081
    1. Your operational site (health, etc)

Dropwizard: Guice Bundle

This entry is part 2 of 5 in the series Dropwizard

In this tutorial I will show you how to add Guice to your Dropwizard app. This will be a very basic implementation. Some things you should note is that I didn’t put in any docstrings. You should always do that!

Now there are a few Dropwizard Guice integrations available but the most active is the one I will show you today called “dropwizard-guicey“.

POM.xml

  1. <dependency>
  2. <groupId>ru.vyarus</groupId>
  3. <artifactId>dropwizard-guicey</artifactId>
  4. <version>4.1.0</version>
  5. </dependency>

Model

Now we create a model to use with our service

  1. package ca.gaudreault.mydropwizardapp.models;
  2.  
  3. import java.io.Serializable;
  4.  
  5. import javax.validation.constraints.NotNull;
  6.  
  7. public class MyModel implements Serializable {
  8. private static final long serialVersionUID = 1L;
  9. private Integer value;
  10. public Integer getValue() {
  11. return value;
  12. }
  13. public void setValue(Integer value) {
  14. this.value = value;
  15. }
  16. }

Service

Here you will create your service interface and class so that you can bind it in the guice module.

Interface

  1. package ca.gaudraeult.mydropwizardapp.services;
  2.  
  3. import ca.gaudreault.mydropwizardapp.models.MyModel;
  4.  
  5. public interface MyService {
  6. MyModel runTest();
  7. }

Implementation

  1. package ca.gaudraeult.mydropwizardapp.services;
  2.  
  3. import ca.gaudreault.mydropwizardapp.models.MyModel;
  4.  
  5. public class MyServiceImpl implements MyService {
  6. public MyServiceImpl() { }
  7.  
  8. @Override
  9. public MyModel runTest() {
  10. final MyModel myModel = new MyModel();
  11. myModel.setValue(123123);
  12. return myModel;
  13. }
  14. }

ServerModule

Now when we create our module class you can bind the interface to the implementation. Note that if your implementation does not implement the interface this will not work.

  1. package ca.gaudreault.mydropwizardapp;
  2.  
  3. import com.google.inject.AbstractModule;
  4.  
  5. import ca.gaudraeult.mydropwizardapp.services.MyService;
  6. import ca.gaudraeult.mydropwizardapp.services.MyServiceImpl;
  7.  
  8. public class ServerModule extends AbstractModule {
  9.  
  10. @Override
  11. protected void configure() {
  12. bind(MyService.class).to(MyServiceImpl.class);
  13. }
  14. }

Dropwizard Application

If you remember from part 1 of this series you created the based Dropwizard app. So you should have a class called “MyDropwizardAppApplication”. Open that now and modify the “initialize” like the below. Baseically here we are registering our ServerModule class to Dropwizard.

  1. @Override
  2. public void initialize(final Bootstrap bootstrap) {
  3. bootstrap.addBundle(GuiceBundle.builder()
  4. .enableAutoConfig(this.getClass().getPackage().getName())
  5. .modules(new ServerModule())
  6. .build());
  7. }

And that is it you have configured a very basic Dropwizard Guice configuration.

Dropwizard: Command

This entry is part 3 of 5 in the series Dropwizard

In this tutorial I will give a brief demonstration on how to write a custom dropwizard command.

MyCommand

So below you will see the command class and how we are creating and registering a command line param called “test” which is a Boolean.

  1. package ca.gaudreault.mydropwizardapp;
  2.  
  3. import io.dropwizard.cli.Command;
  4. import io.dropwizard.setup.Bootstrap;
  5. import net.sourceforge.argparse4j.inf.Namespace;
  6. import net.sourceforge.argparse4j.inf.Subparser;
  7.  
  8. public class MyCommand extends Command {
  9.  
  10. protected MyCommand() {
  11. super("myCommand", "This is a sample command");
  12. }
  13.  
  14. @Override
  15. public void configure(Subparser subparser) {
  16. subparser.addArgument("-test").required(true).type(Boolean.class).dest("test").help("Does something really awesome");
  17. }
  18.  
  19. @Override
  20. public void run(Bootstrap<?> bootstrap, Namespace namespace) throws Exception {
  21. System.out.println("MyCommand " + namespace.getBoolean("test"));
  22. }
  23. }

MyDropwizardAppApplication

If you remember from part 1 of this series you created the based Dropwizard app. So you should have a class called “MyDropwizardAppApplication”. Open that now and modify the “initialize” like the below. Note that we are only adding the “addCommand”.

  1. @Override
  2. public void initialize(final Bootstrap bootstrap) {
  3. bootstrap.addCommand(new MyCommand());
  4. }

Executing Command

Basically now we can just call our JAR file and pass the following arguments to it.

  1. myCommand -test false

You will see once it runs that following

  1. MyCommand false

Dropwizard: Resource

This entry is part 4 of 5 in the series Dropwizard

In this tutorial I will give a basic example of a resource endpoint. If you haven’t configured Guice yet please do so before continuing.

So basically now that you have Guice configured and working you can now create an api endpoint. For this we will just use a GET but you can also do POST, PUT, DELETE.

  1. package ca.gaudreault.mydropwizardapp.resources;
  2.  
  3. import javax.ws.rs.GET;
  4. import javax.ws.rs.Path;
  5. import javax.ws.rs.Produces;
  6. import javax.ws.rs.core.MediaType;
  7.  
  8. import com.codahale.metrics.annotation.Timed;
  9. import com.google.inject.Inject;
  10.  
  11. import ca.gaudraeult.mydropwizardapp.services.MyService;
  12. import ca.gaudreault.mydropwizardapp.models.MyModel;
  13.  
  14. @Timed
  15. @Path("/my-resource")
  16. public class MyResource {
  17. MyService myService;
  18.  
  19. @Inject
  20. public MyResource(final MyService myService) {
  21. this.myService = myService;
  22. }
  23.  
  24. @GET
  25. @Timed
  26. @Produces(MediaType.APPLICATION_JSON)
  27. public MyModel runTest() {
  28. return this.myService.runTest();
  29. }
  30. }

Once you run your application you can view the endpoint by going to http://localhost:8080/my-resource.

The output will be as follows.

  1. {"value":123123}

If you noticed we added the “@Timed” annotation. You can now go to http://localhost:8081/metrics?pretty=true to view the metrics on our “runTest” method. The output will look like the below.

  1. {
  2. "ca.gaudreault.mydropwizardapp.resources.MyResource.runTest": {
  3. "count": 0,
  4. "max": 0.0,
  5. "mean": 0.0,
  6. "min": 0.0,
  7. "p50": 0.0,
  8. "p75": 0.0,
  9. "p95": 0.0,
  10. "p98": 0.0,
  11. "p99": 0.0,
  12. "p999": 0.0,
  13. "stddev": 0.0,
  14. "m15_rate": 0.0,
  15. "m1_rate": 0.0,
  16. "m5_rate": 0.0,
  17. "mean_rate": 0.0,
  18. "duration_units": "seconds",
  19. "rate_units": "calls/second"
  20. }

Dropwizard: Swagger Integration

This entry is part 5 of 5 in the series Dropwizard

In this tutorial I will show you how to use Swagger in your Maven application. I will also show you how to configure it with Swagger UI so when you start your application you can see the Swagger UI from your generated JSON.

POM.xml

Dependencies

  1. <dependency>
  2. <groupId>io.dropwizard</groupId>
  3. <artifactId>dropwizard-assets</artifactId>
  4. <version>1.3.2</version>
  5. </dependency>
  6.  
  7. <dependency>
  8. <groupId>io.swagger</groupId>
  9. <artifactId>swagger-jaxrs</artifactId>
  10. <version>1.5.19</version>
  11. </dependency>

Plugins

maven-jar-plugin

If you followed creating a basic Dropwizard app then you should have this already installed. If so then just add the following two configs under “manifest” section.

  1. <addDefaultImplementationEntries>true</addDefaultImplementationEntries>
  2. <addDefaultSpecificationEntries>true</addDefaultSpecificationEntries>
maven-clean-plugin

Because we are pulling the latest Swagger-UI code on each build we must clean the old build.

  1. <plugin>
  2. <artifactId>maven-clean-plugin</artifactId>
  3. <version>3.1.0</version>
  4. <configuration>
  5. <filesets>
  6. <fileset>
  7. <directory>${basedir}/src/main/resources/swagger-ui</directory>
  8. <followSymlinks>false</followSymlinks>
  9. </fileset>
  10. </filesets>
  11. </configuration>
  12. </plugin>
download-maven-plugin

We are downloading the latest Swagger-UI code from github. Notice how lifecycle phase “generate-resources” is used. This is important due to build getting the proper code before beginning build.

  1. <plugin>
  2. <groupId>com.googlecode.maven-download-plugin</groupId>
  3. <artifactId>download-maven-plugin</artifactId>
  4. <version>1.4.0</version>
  5. <executions>
  6. <execution>
  7. <id>swagger-ui</id>
  8. <phase>generate-resources</phase>
  9. <goals>
  10. <goal>wget</goal>
  11. </goals>
  12. <configuration>
  13. <url>
  14. https://github.com/swagger-api/swagger-ui/archive/master.tar.gz
  15. </url>
  16. <unpack>true</unpack>
  17. <outputDirectory>
  18. ${project.build.directory}
  19. </outputDirectory>
  20. </configuration>
  21. </execution>
  22. </executions>
  23. </plugin>
replacer

This updates the code downloaded from github to have your swagger.json content instead of the petstore swagger content. Notice how lifecycle phase “generate-resources” is used. This is important due to build getting the proper code before beginning build.

  1. <plugin>
  2. <groupId>com.google.code.maven-replacer-plugin</groupId>
  3. <artifactId>replacer</artifactId>
  4. <version>1.5.3</version>
  5. <executions>
  6. <execution>
  7. <phase>generate-resources</phase>
  8. <goals>
  9. <goal>replace</goal>
  10. </goals>
  11. </execution>
  12. </executions>
  13. <configuration>
  14. <includes>
  15. <include>${project.build.directory}/swagger-ui-master/dist/index.html</include>
  16. <include>${project.build.directory}/swagger-ui-master/dist/swagger-ui-bundle.js</include>
  17. <include>${project.build.directory}/swagger-ui-master/dist/swagger-ui-bundle.js.map</include>
  18. <include>${project.build.directory}/swagger-ui-master/dist/swagger-ui-standalone-preset.js</include>
  19. <include>${project.build.directory}/swagger-ui-master/dist/swagger-ui-standalone-preset.js.map</include>
  20. <include>${project.build.directory}/swagger-ui-master/dist/swagger-ui.js</include>
  21. <include>${project.build.directory}/swagger-ui-master/dist/swagger-ui.js.map</include>
  22. </includes>
  23. <replacements>
  24. <replacement>
  25. <token>http://petstore.swagger.io/v2/swagger.json</token>
  26. <value>/swagger.json</value>
  27. </replacement>
  28. </replacements>
  29. </configuration>
  30. </plugin>
maven-resources-plugin

This will copy the content that you just downloaded and modified into your resources folder. Notice how lifecycle phase “generate-resources” is used. This is important due to build getting the proper code before beginning build.

  1. <plugin>
  2. <groupId>org.apache.maven.plugins</groupId>
  3. <artifactId>maven-resources-plugin</artifactId>
  4. <version>3.1.0</version>
  5. <executions>
  6. <execution>
  7. <id>copy-resources</id>
  8. <phase>generate-resources</phase>
  9. <goals>
  10. <goal>copy-resources</goal>
  11. </goals>
  12. <configuration>
  13. <outputDirectory>
  14. ${basedir}/src/main/resources/swagger-ui
  15. </outputDirectory>
  16. <resources>
  17. <resource>
  18. <directory>
  19. ${project.build.directory}/swagger-ui-master/dist
  20. </directory>
  21. </resource>
  22. </resources>
  23. </configuration>
  24. </execution>
  25. </executions>
  26. </plugin>

Now if you run the following command you will see that the swagger-ui copied to your resources folder.

  1. mvn clean install

MyDropwizardAppApplication

initialize

Now we need to configure our Dropwizard app to host the swagger-ui that we recently downloaded and modified. In our “MyDropwizardAppApplication” class that we created in the initial Dropwizard tutorial we must add the AssetsBundle for our swagger-ui.

  1. @Override
  2. public void initialize(final Bootstrap bootstrap) {
  3. bootstrap.addBundle(GuiceBundle.builder().enableAutoConfig(this.getClass().getPackage().getName())
  4. .modules(new ServerModule()).build());
  5.  
  6. // This allows you to host swagger ui on this dropwizard app's host
  7. final AssetsBundle assetsBundle = new AssetsBundle("/swagger-ui", "/swagger-ui", "index.html");
  8. bootstrap.addBundle(assetsBundle);
  9. bootstrap.addCommand(new MyCommand());
  10. }
run

Now we need to setup our Swagger scanners for our api and our models.

  1. @Override
  2. public void run(final MyDropwizardAppConfiguration configuration, final Environment environment) {
  3. this.initSwagger(configuration, environment);
  4. }
  5.  
  6. private void initSwagger(MyDropwizardAppConfiguration configuration, Environment environment) {
  7. // Swagger Resource
  8. // The ApiListingResource creates the swagger.json file at localhost:8080/swagger.json
  9. environment.jersey().register(new ApiListingResource());
  10. environment.jersey().register(SwaggerSerializers.class);
  11.  
  12. Package objPackage = this.getClass().getPackage();
  13. String version = objPackage.getImplementationVersion();
  14.  
  15. // Swagger Scanner, which finds all the resources for @Api Annotations
  16. ScannerFactory.setScanner(new DefaultJaxrsScanner());
  17.  
  18. //This is what is shown when you do "http://localhost:8080/swagger-ui/"
  19. BeanConfig beanConfig = new BeanConfig();
  20. beanConfig.setVersion(version);
  21. beanConfig.setSchemes(new String[] { "http" });
  22. beanConfig.setHost("localhost:8080");
  23. beanConfig.setPrettyPrint(true);
  24. beanConfig.setDescription("The drpowizard apis");
  25. beanConfig.setResourcePackage("ca.gaudreault.mydropwizardapp");
  26. beanConfig.setScan(true);
  27. }

Now if we were to run our app we would be able to go to http://localhost:8080/swagger-ui/ and we would see our content but since we didn’t update any model or api then we wouldn’t see much of anything. So remember the previous tutorials on Dropwizard Guice and Dropwizard Resource. We will update those now.

Model

If you compare this to the one we did in the guice tutorial there are only a few differences. Notice we import the swagger annotations. We then add “ApiModel” annotation to the class and “ApiModelProperty” to the variable “value” and set it to be “NotNull”.

  1. package ca.gaudreault.mydropwizardapp.models;
  2.  
  3. import java.io.Serializable;
  4.  
  5. import javax.validation.constraints.NotNull;
  6.  
  7. import io.swagger.annotations.ApiModel;
  8. import io.swagger.annotations.ApiModelProperty;
  9.  
  10. @ApiModel(description = "My Example Model.")
  11. public class MyModel implements Serializable {
  12. private static final long serialVersionUID = 1L;
  13. @NotNull
  14. @ApiModelProperty(required = true, notes = "My value")
  15. private Integer value;
  16. public Integer getValue() {
  17. return value;
  18. }
  19. public void setValue(Integer value) {
  20. this.value = value;
  21. }
  22. }

Resource

If you compare this to the one we did in the guice tutorial there are only a few differences. Notice our class has “@SwaggerDefinition” and “@API” defined. This will help the Swagger-UI  group your end points together using the tags. Also notice how our “runTest” end point has “@Path”, “@ApiResponses” and “@ApiOperation” now.

  1. package ca.gaudreault.mydropwizardapp.resources;
  2.  
  3. import javax.ws.rs.GET;
  4. import javax.ws.rs.Path;
  5. import javax.ws.rs.Produces;
  6. import javax.ws.rs.core.MediaType;
  7.  
  8. import org.eclipse.jetty.http.HttpStatus;
  9.  
  10. import com.codahale.metrics.annotation.Timed;
  11. import com.google.inject.Inject;
  12.  
  13. import ca.gaudreault.mydropwizardapp.models.MyModel;
  14. import ca.gaudreault.mydropwizardapp.services.MyService;
  15. import io.swagger.annotations.Api;
  16. import io.swagger.annotations.ApiOperation;
  17. import io.swagger.annotations.ApiResponses;
  18. import io.swagger.annotations.ApiResponse;
  19. import io.swagger.annotations.SwaggerDefinition;
  20. import io.swagger.annotations.Tag;
  21.  
  22. @SwaggerDefinition(tags = { @Tag(name = "MyResource", description = "My Example Resource") })
  23. @Api(value = "MyResource")
  24. @Timed
  25. @Path("/my-resource")
  26. public class MyResource {
  27. private MyService myService;
  28.  
  29. @Inject
  30. public MyResource(final MyService myService) {
  31. this.myService = myService;
  32. }
  33.  
  34. @GET
  35. @Path("/runTest")
  36. @ApiOperation(value = "Run test and returns myModel", notes = "Run test and returns myModel", response = MyModel.class, tags = {
  37. "MyResource" })
  38. @ApiResponses(value = {
  39. @ApiResponse(code = HttpStatus.OK_200, message = "Successfully Tested", response = MyModel.class) })
  40. @Timed
  41. @Produces(MediaType.APPLICATION_JSON)
  42. public MyModel runTest() {
  43. return this.myService.runTest();
  44. }
  45. }

Run our Project

If we run our project and we hit the following rest end point http://localhost:8080/my-resource/runTest we will get back the below. This shows us our rest end point is working as expected still.

  1. {"value":123123}

Checking Swagger-UI

Now that we have started our project we can now check to see what was generated. Go to Swagger-UI. You will see the below. You are now well on your way in using Swagger.

Model Expanded

Resource Expanded

 

 

 

 

References

The following helped me build this tutorial.

  • https://robferguson.org/blog/2016/12/11/resteasy-embedded-jetty-fat-jars-swagger-and-swagger-ui/
  • https://itazuramono.com/2015/12/07/automatic-swagger-documentation-for-dropwizard-using-maven/
  • http://mikelynchgames.com/software-development/adding-swagger-to-your-dropwizard-application/