33 min read

In this article by Vikram Murugesan, the author of the book Microservices Deployment Cookbook, we will see a brief introduction to concept of the microservices.

(For more resources related to this topic, see here.)

Writing microservices with Spring Boot

Now that our project is ready, let’s look at how to write our microservice. There are several Java-based frameworks that let you create microservices. One of the most popular frameworks from the Spring ecosystem is the Spring Boot framework. In this article, we will look at how to create a simple microservice application using Spring Boot.

Getting ready

Any application requires an entry point to start the application. For Java-based applications, you can write a class that has the main method and run that class as a Java application. Similarly, Spring Boot requires a simple Java class with the main method to run it as a Spring Boot application (microservice). Before you start writing your Spring Boot microservice, you will also require some Maven dependencies in your pom.xml file.

How to do it…

  1. Create a Java class called
    com.packt.microservices.geolocation.GeoLocationApplication.java and give it an empty main method:
    package com.packt.microservices.geolocation;
    
    public class GeoLocationApplication {
    
      public static void main(String[] args) {
        // left empty intentionally
      }
    }
    
  2. Now that we have our basic template project, let’s make our project a child project of Spring Boot’s spring-boot-starter-parent pom module. This module has a lot of prerequisite configurations in its pom.xml file, thereby reducing the amount of boilerplate code in our pom.xml file. At the time of writing this, 1.3.6.RELEASE was the most recent version:
    <parent>
      <groupId>org.springframework.boot</groupId>
      <artifactId>spring-boot-starter-parent</artifactId>
      <version>1.3.6.RELEASE</version>
    </parent>
    
  3. After this step, you might want to run a Maven update on your project as you have added a new parent module. If you see any warnings about the version of the maven-compiler plugin, you can either ignore it or just remove the <version>3.5.1</version> element. If you remove the version element, please perform a Maven update afterward.
  4. Spring Boot has the ability to enable or disable Spring modules such as Spring MVC, Spring Data, and Spring Caching. In our use case, we will be creating some REST APIs to consume the geolocation information of the users. So we will need Spring MVC. Add the following dependencies to your pom.xml file:
    <dependencies>
      <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-web</artifactId>
      </dependency>
    </dependencies>
    
  5. We also need to expose the APIs using web servers such as Tomcat, Jetty, or Undertow. Spring Boot has an in-memory Tomcat server that starts up as soon as you start your Spring Boot application. So we already have an in-memory Tomcat server that we could utilize.
  6. Now let’s modify the GeoLocationApplication.java class to make it a Spring Boot application:
    package com.packt.microservices.geolocation;
    
    import org.springframework.boot.SpringApplication;
    import org.springframework.boot.autoconfigure.SpringBootApplication;
    
    @SpringBootApplication
    public class GeoLocationApplication {
    
      public static void main(String[] args) {
        SpringApplication.run(GeoLocationApplication.class, args);
      }
    }
    

As you can see, we have added an annotation, @SpringBootApplication, to our class. The @SpringBootApplication annotation reduces the number of lines of code written by adding the following three annotations implicitly:

  • @Configuration
  • @ComponentScan
  • @EnableAutoConfiguration

If you are familiar with Spring, you will already know what the first two annotations do. @EnableAutoConfiguration is the only annotation that is part of Spring Boot. The AutoConfiguration package has an intelligent mechanism that guesses the configuration of your application and automatically configures the beans that you will likely need in your code.

You can also see that we have added one more line to the main method, which actually tells Spring Boot the class that will be used to start this application. In our case, it is GeoLocationApplication.class. If you would like to add more initialization logic to your application, such as setting up the database or setting up your cache, feel free to add it here.

  1. Now that our Spring Boot application is all set to run, let’s see how to run our microservice. Right-click on GeoLocationApplication.java from Package Explorer, select Run As, and then select Spring Boot App. You can also choose Java Application instead of Spring Boot App. Both the options ultimately do the same thing. You should see something like this on your STS console:Microservices Deployment Cookbook
  2. If you look closely at the console logs, you will notice that Tomcat is being started on port number 8080. In order to make sure our Tomcat server is listening, let’s run a simple curl command. cURL is a command-line utility available on most Unix and Mac systems. For Windows, use tools such as Cygwin or even Postman. Postman is a Google Chrome extension that gives you the ability to send and receive HTTP requests. For simplicity, we will use cURL. Execute the following command on your terminal:
    curl http://localhost:8080
  3. This should give us an output like this:
    {"timestamp":1467420963000,"status":404,"error":"Not Found","message":"No message available","path":"/"}

    This error message is being produced by Spring. This verifies that our Spring Boot microservice is ready to start building on with more features. There are more configurations that are needed for Spring Boot, which we will perform later in this article along with Spring MVC.

Writing microservices with WildFly Swarm

WildFly Swarm is a J2EE application packaging framework from RedHat that utilizes the in-memory Undertow server to deploy microservices. In this article, we will create the same GeoLocation API using WildFly Swarm and JAX-RS.

To avoid confusion and dependency conflicts in our project, we will create the WildFly Swarm microservice as its own Maven project. This article is just here to help you get started on WildFly Swarm. When you are building your production-level application, it is your choice to either use Spring Boot, WildFly Swarm, Dropwizard, or SparkJava based on your needs.

Getting ready

Similar to how we created the Spring Boot Maven project, create a Maven WAR module with the groupId com.packt.microservices and name/artifactId geolocation-wildfly. Feel free to use either your IDE or the command line. Be aware that some IDEs complain about a missing web.xml file. We will see how to fix that in the next section.

How to do it…

  1. Before we set up the WildFly Swarm project, we have to fix the missing web.xml error. The error message says that Maven expects to see a web.xml file in your project as it is a WAR module, but this file is missing in your project. In order to fix this, we have to add and configure maven-war-plugin. Add the following code snippet to your pom.xml file’s project section:
    <build>
      <plugins>
        <plugin>
          <groupId>org.apache.maven.plugins</groupId>
          <artifactId>maven-war-plugin</artifactId>
          <version>2.6</version>
          <configuration>
            <failOnMissingWebXml>false</failOnMissingWebXml>
          </configuration>
        </plugin>
      </plugins>
    </build>
    
  2. After adding the snippet, save your pom.xml file and perform a Maven update. Also, if you see that your project is using a Java version other than 1.8. Again, perform a Maven update for the changes to take effect.
  3. Now, let’s add the dependencies required for this project. As we know that we will be exposing our APIs, we have to add the JAX-RS library. JAX-RS is the standard JSR-compliant API for creating RESTful web services. JBoss has its own version of JAX-RS. So let’s  add that dependency to the pom.xml file:
    <dependencies>
      <dependency>
        <groupId>org.jboss.spec.javax.ws.rs</groupId>
        <artifactId>jboss-jaxrs-api_2.0_spec</artifactId>
        <version>1.0.0.Final</version>
        <scope>provided</scope>
      </dependency>
    </dependencies>
    

    The one thing that you have to note here is the provided scope. The provide scope in general means that this JAR need not be bundled with the final artifact when it is built. Usually, the dependencies with provided scope will be available to your application either via your web server or application server. In this case, when Wildfly Swarm bundles your app and runs it on the in-memory Undertow server, your server will already have this dependency.

  4. The next step toward creating the GeoLocation API using Wildfly Swarm is creating the domain object. Use the com.packt.microservices.geolocation.GeoLocation.java file.
  5. Now that we have the domain object, there are two classes that you need to create in order to write your first JAX-RS web service. The first of those is the Application class. The Application class in JAX-RS is used to define the various components that you will be using in your application. It can also hold some metadata about your application, such as your basePath (or ApplicationPath) to all resources listed in this Application class. In this case, we are going to use /geolocation as our basePath. Let’s see how that looks:
    package com.packt.microservices.geolocation;
    
    import javax.ws.rs.ApplicationPath;
    import javax.ws.rs.core.Application;
    
    @ApplicationPath("/geolocation")
    public class GeoLocationApplication extends Application {
    
      public GeoLocationApplication() {}
    }
    

    There are two things to note in this class; one is the Application class and the other is the @ApplicationPath annotation—both of which we’ve already talked about.

  6. Now let’s move on to the resource class, which is responsible for exposing the APIs. If you are familiar with Spring MVC, you can compare Resource classes to Controllers. They are responsible for defining the API for any specific resource. The annotations are slightly different from that of Spring MVC. Let’s create a new resource class called com.packt.microservices.geolocation.GeoLocationResource.java that exposes a simple GET API:
    package com.packt.microservices.geolocation;
    
    import java.util.ArrayList;
    import java.util.List;
    
    import javax.ws.rs.GET;
    import javax.ws.rs.Path;
    import javax.ws.rs.Produces;
    
    @Path("/")
    public class GeoLocationResource {
    
      @GET
      @Produces("application/json")
      public List<GeoLocation> findAll() {
        return new ArrayList<>();
      }
    }
    

All the three annotations, @GET, @Path, and @Produces, are pretty self explanatory.

Before we start writing the APIs and the service class, let’s test the application from the command line to make sure it works as expected. With the current implementation, any GET request sent to the /geolocation URL should return an empty JSON array.

So far, we have created the RESTful APIs using JAX-RS. It’s just another JAX-RS project:

  1. In order to make it a microservice using Wildfly Swarm, all you have to do is add the wildfly-swarm-plugin to the Maven pom.xml file. This plugin will be tied to the package phase of the build so that whenever the package goal is triggered, the plugin will create an uber JAR with all required dependencies. An uber JAR is just a fat JAR that has all dependencies bundled inside itself. It also deploys our application in an in-memory Undertow server. Add the following snippet to the plugins section of the pom.xml file:
    <plugin>
      <groupId>org.wildfly.swarm</groupId>
      <artifactId>wildfly-swarm-plugin</artifactId>
      <version>1.0.0.Final</version>
      <executions>
        <execution>
          <id>package</id>
          <goals>
            <goal>package</goal>
          </goals>
        </execution>
      </executions>
    </plugin>
    
  2. Now execute the mvn clean package command from the project’s root directory, and wait for the Maven build to be successful. If you look at the logs, you can see that wildfly-swarm-plugin will create the uber JAR, which has all its dependencies. You should see something like this in your console logs:Microservices Deployment Cookbook
  3. After the build is successful, you will find two artifacts in the target directory of your project. The geolocation-wildfly-0.0.1-SNAPSHOT.war file is the final WAR created by the maven-war-plugin. The geolocation-wildfly-0.0.1-SNAPSHOT-swarm.jar file is the uber JAR created by the wildfly-swarm-plugin. Execute the following command in the same terminal to start your microservice:
    java –jar target/geolocation-wildfly-0.0.1-SNAPSHOT-swarm.jar
  4. After executing this command, you will see that Undertow has started on port number 8080, exposing the geolocation resource we created. You will see something like this:Microservices Deployment Cookbook
  5. Execute the following cURL command in a separate terminal window to make sure our API is exposed. The response of the command should be [], indicating there are no geolocations:
    curl http://localhost:8080/geolocation
  6. Now let’s build the service class and finish the APIs that we started. For simplicity purposes, we are going to store the geolocations in a collection in the service class itself. In a real-time scenario, you will be writing repository classes or DAOs that talk to the database that holds your geolocations. Get the com.packt.microservices.geolocation.GeoLocationService.java interface. We’ll use the same interface here.
  7. Create a new class called com.packt.microservices.geolocation.GeoLocationServiceImpl.java that extends the GeoLocationService interface:
    package com.packt.microservices.geolocation;
    
    import java.util.ArrayList;
    import java.util.Collections;
    import java.util.List;
    
    public class GeoLocationServiceImpl implements GeoLocationService {
      
      private static List<GeoLocation> geolocations = new ArrayList<>();
    
      @Override
      public GeoLocation create(GeoLocation geolocation) {
        geolocations.add(geolocation);
        return geolocation;
      }
    
      @Override
      public List<GeoLocation> findAll() {
        return Collections.unmodifiableList(geolocations);
      }
    }
    
  8. Now that our service classes are implemented, let’s finish building the APIs. We already have a very basic stubbed-out GET API. Let’s just introduce the service class to the resource class and call the findAll method. Similarly, let’s use the service’s create method for POST API calls. Add the following snippet to GeoLocationResource.java:
    private GeoLocationService service = new GeoLocationServiceImpl();
    
    @GET
    @Produces("application/json")
    public List<GeoLocation> findAll() {
      return service.findAll();
    }
      
    @POST
    @Produces("application/json")
    @Consumes("application/json")
    public GeoLocation create(GeoLocation geolocation) {
      return service.create(geolocation);
    }
    
  9. We are now ready to test our application. Go ahead and build your application. After the build is successful, run your microservice: let’s try to create two geolocations using the POST API and later try to retrieve them using the GET method. Execute the following cURL commands in your terminal one by one:
    curl -H "Content-Type: application/json" -X POST -d '{"timestamp": 1468203975, "userId": "f1196aac-470e-11e6-beb8-9e71128cae77", "latitude": 41.803488, "longitude": -88.144040}' http://localhost:8080/geolocation
  10. This should give you something like the following output (pretty-printed for readability):
    {
      "latitude": 41.803488,	
      "longitude": -88.14404,
      "userId": "f1196aac-470e-11e6-beb8-9e71128cae77",
      "timestamp": 1468203975
    }
    curl -H "Content-Type: application/json" -X POST -d '{"timestamp": 1468203975, "userId": "f1196aac-470e-11e6-beb8-9e71128cae77", "latitude": 9.568012, "longitude": 77.962444}' http://localhost:8080/geolocation
    
  11. This command should give you an output similar to the following (pretty-printed for readability):
    {
      "latitude": 9.568012,
      "longitude": 77.962444,
      "userId": "f1196aac-470e-11e6-beb8-9e71128cae77",
      "timestamp": 1468203975
    }
    
  12. To verify whether your entities were stored correctly, execute the following cURL command:
    curl http://localhost:8080/geolocation
  13. This should give you an output like this (pretty-printed for readability):
    [
      {
        "latitude": 41.803488,
        "longitude": -88.14404,
        "userId": "f1196aac-470e-11e6-beb8-9e71128cae77",
        "timestamp": 1468203975
      },
      {
        "latitude": 9.568012,
        "longitude": 77.962444,
        "userId": "f1196aac-470e-11e6-beb8-9e71128cae77",
        "timestamp": 1468203975
      }
    ]
    

Whatever we have seen so far will give you a head start in building microservices with WildFly Swarm. Of course, there are tons of features that WildFly Swarm offers. Feel free to try them out based on your application needs. I strongly recommend going through the WildFly Swarm documentation for any advanced usages.

Writing microservices with Dropwizard

Dropwizard is a collection of libraries that help you build powerful applications quickly and easily. The libraries vary from Jackson, Jersey, Jetty, and so on. You can take a look at the full list of libraries on their website. This ecosystem of libraries that help you build powerful applications could be utilized to create microservices as well. As we saw earlier, it utilizes Jetty to expose its services. In this article, we will create the same GeoLocation API using Dropwizard and Jersey.

To avoid confusion and dependency conflicts in our project, we will create the Dropwizard microservice as its own Maven project. This article is just here to help you get started with Dropwizard. When you are building your production-level application, it is your choice to either use Spring Boot, WildFly Swarm, Dropwizard, or SparkJava based on your needs.

Getting ready

Similar to how we created other Maven projects,  create a Maven JAR module with the groupId com.packt.microservices and name/artifactId geolocation-dropwizard. Feel free to use either your IDE or the command line. After the project is created, if you see that your project is using a Java version other than 1.8. Perform a Maven update for the change to take effect.

How to do it…

The first thing that you will need is the dropwizard-core Maven dependency. Add the following snippet to your project’s pom.xml file:

<dependencies>
  <dependency>
    <groupId>io.dropwizard</groupId>
    <artifactId>dropwizard-core</artifactId>
    <version>0.9.3</version>
  </dependency>
</dependencies>

Guess what? This is the only dependency you will need to spin up a simple Jersey-based Dropwizard microservice.

Before we start configuring Dropwizard, we have to create the domain object, service class, and resource class:

  • com.packt.microservices.geolocation.GeoLocation.java
  • com.packt.microservices.geolocation.GeoLocationService.java
  • com.packt.microservices.geolocation.GeoLocationImpl.java
  • com.packt.microservices.geolocation.GeoLocationResource.java

Let’s see what each of these classes does. The GeoLocation.java class is our domain object that holds the geolocation information. The GeoLocationService.java class defines our interface, which is then implemented by the GeoLocationServiceImpl.java class. If you take a look at the GeoLocationServiceImpl.java class, we are using a simple collection to store the GeoLocation domain objects. In a real-time scenario, you will be persisting these objects in a database. But to keep it simple, we will not go that far.

To be consistent with the previous, let’s change the path of GeoLocationResource to /geolocation. To do so, replace @Path(“/”) with @Path(“/geolocation”) on line number 11 of the GeoLocationResource.java class.

We have now created the service classes, domain object, and resource class. Let’s configure Dropwizard.

In order to make your project a microservice, you have to do two things:

  1. Create a Dropwizard configuration class. This is used to store any meta-information or resource information that your application will need during runtime, such as DB connection, Jetty server, logging, and metrics configurations. These configurations are ideally stored in a YAML file, which will them be mapped to your Configuration class using Jackson. In this application, we are not going to use the YAML configuration as it is out of scope for this article.

    If you would like to know more about configuring Dropwizard, refer to their Getting Started documentation page at http://www.dropwizard.io/0.7.1/docs/getting-started.html.

  2. Let’s  create an empty Configuration class called GeoLocationConfiguration.java:
    package com.packt.microservices.geolocation;
    
    import io.dropwizard.Configuration;
    
    public class GeoLocationConfiguration extends Configuration {
    
    }
    
  3. The YAML configuration file has a lot to offer. Take a look at a sample YAML file from Dropwizard’s Getting Started documentation page to learn more. The name of the YAML file is usually derived from the name of your microservice. The microservice name is usually identified by the return value of the overridden method public String getName() in your Application class. Now let’s create the GeoLocationApplication.java application class:
    package com.packt.microservices.geolocation;
    
    import io.dropwizard.Application;
    import io.dropwizard.setup.Environment;
    
    public class GeoLocationApplication extends Application<GeoLocationConfiguration> {
      
      public static void main(String[] args) throws Exception {
        new GeoLocationApplication().run(args);
      }
    
      @Override
      public void run(GeoLocationConfiguration config, Environment env) throws Exception {
        env.jersey().register(new GeoLocationResource());
      }
    }
    

    There are a lot of things going on here. Let’s look at them one by one. Firstly, this class extends Application with the GeoLocationConfiguration generic. This clearly makes an instance of your GeoLocationConfiguraiton.java class available so that you have access to all the properties you have defined in your YAML file at the same time mapped in the Configuration class. The next one is the run method. The run method takes two arguments: your configuration and environment. The Environment instance is a wrapper to other library-specific objects such as MetricsRegistry, HealthCheckRegistry, and JerseyEnvironment. For example, we could register our Jersey resources using the JerseyEnvironment instance. The env.jersey().register(new GeoLocationResource())line does exactly that. The main method is pretty straight-forward. All it does is call the run method.

  4. Before we can start the microservice, we have to configure this project to create a runnable uber JAR. Uber JARs are just fat JARs that bundle their dependencies in themselves. For this purpose, we will be using the maven-shade-plugin. Add the following snippet to the build section of the pom.xml file. If this is your first plugin, you might want to wrap it in a <plugins> element under <build>:
    <plugin>
      <groupId>org.apache.maven.plugins</groupId>
      <artifactId>maven-shade-plugin</artifactId>
      <version>2.3</version>
      <configuration>
        <createDependencyReducedPom>true</createDependencyReducedPom>
        <filters>
          <filter>
            <artifact>*:*</artifact>
            <excludes>
              <exclude>META-INF/*.SF</exclude>
              <exclude>META-INF/*.DSA</exclude>
              <exclude>META-INF/*.RSA</exclude>
            </excludes>
          </filter>
        </filters>
      </configuration>
      <executions>
        <execution>
          <phase>package</phase>
          <goals>
            <goal>shade</goal>
          </goals>
          <configuration>
            <transformers>
              <transformer implementation="org.apache.maven.plugins.shade.resource.ServicesResourceTransformer" />
              <transformer implementation="org.apache.maven.plugins.shade.resource.ManifestResourceTransformer">
    <mainClass>com.packt.microservices.geolocation.GeoLocationApplication</mainClass>
              </transformer>
            </transformers>
          </configuration>
        </execution>
      </executions>
    </plugin>
    
  5. The previous snippet does the following:
    • It creates a runnable uber JAR that has a reduced pom.xml file that does not include the dependencies that are added to the uber JAR. To learn more about this property, take a look at the documentation of maven-shade-plugin.
    • It utilizes com.packt.microservices.geolocation.GeoLocationApplication as the class whose main method will be invoked when this JAR is executed. This is done by updating the MANIFEST file.
    • It excludes all signatures from signed JARs. This is required to avoid security errors.
  6. Now that our project is properly configured, let’s try to build and run it from the command line. To build the project, execute mvn clean package from the project’s root directory in your terminal. This will create your final JAR in the target directory. Execute the following command to start your microservice:
    java -jar target/geolocation-dropwizard-0.0.1-SNAPSHOT.jar server
  7. The server argument instructs Dropwizard to start the Jetty server. After you issue the command, you should be able to see that Dropwizard has started the in-memory Jetty server on port 8080. If you see any warnings about health checks, ignore them. Your console logs should look something like this:Microservices Deployment Cookbook
  8. We are now ready to test our application. Let’s try to create two geolocations using the POST API and later try to retrieve them using the GET method. Execute the following cURL commands in your terminal one by one:
    curl -H "Content-Type: application/json" -X POST -d '{"timestamp": 1468203975, "userId": "f1196aac-470e-11e6-beb8-9e71128cae77", "latitude": 41.803488, "longitude": -88.144040}' http://localhost:8080/geolocation
  9. This should give you an output similar to the following (pretty-printed for readability):
    {
      "latitude": 41.803488,
      "longitude": -88.14404,
      "userId": "f1196aac-470e-11e6-beb8-9e71128cae77",
      "timestamp": 1468203975
    }
    
    curl -H "Content-Type: application/json" -X POST -d '{"timestamp": 1468203975, "userId": "f1196aac-470e-11e6-beb8-9e71128cae77", "latitude": 9.568012, "longitude": 77.962444}' http://localhost:8080/geolocation
    
  10. This should give you an output like this (pretty-printed for readability):
    {
      "latitude": 9.568012,
      "longitude": 77.962444,
      "userId": "f1196aac-470e-11e6-beb8-9e71128cae77",
      "timestamp": 1468203975
    }
    
  11. To verify whether your entities were stored correctly, execute the following cURL command:
    curl http://localhost:8080/geolocation
  12. It should give you an output similar to the following (pretty-printed for readability):
    [
      {
        "latitude": 41.803488,
        "longitude": -88.14404,
        "userId": "f1196aac-470e-11e6-beb8-9e71128cae77",
        "timestamp": 1468203975
      },
      {
        "latitude": 9.568012,
        "longitude": 77.962444,
        "userId": "f1196aac-470e-11e6-beb8-9e71128cae77",
        "timestamp": 1468203975
      }
    ]
    

Excellent! You have created your first microservice with Dropwizard. Dropwizard offers more than what we have seen so far. Some of it is out of scope for this article. I believe the metrics API that Dropwizard uses could be used in any type of application.

Writing your Dockerfile

So far in this article, we have seen how to package our application and how to install Docker. Now that we have our JAR artifact and Docker set up, let’s see how to Dockerize our microservice application using Docker.

Getting ready

In order to Dockerize our application, we will have to tell Docker how our image is going to look. This is exactly the purpose of a Dockerfile. A Dockerfile has its own syntax (or Dockerfile instructions) and will be used by Docker to create images. Throughout this article, we will try to understand some of the most commonly used Dockerfile instructions as we write our Dockerfile for the geolocation tracker microservice.

How to do it…

  1. First, open your STS IDE and create a new file called Dockerfile in the geolocation project. The first line of the Dockerfile is always the FROM instruction followed by the base image that you would like to create your image from. There are thousands of images on Docker Hub to choose from. In our case, we would need something that already has Java installed on it. There are some images that are official, meaning they are well documented and maintained.

    Docker Official Repositories are very well documented, and they follow best practices and standards. Docker has its own team to maintain these repositories. This is essential in order to keep the repository clear, thus helping the user make the right choice of repository. To read more about Docker Official Repositories, take a look at https://docs.docker.com/docker-hub/official_repos/

  2. We will be using the Java official repository. To find the official repository, go to hub.docker.com and search for java. You have to choose the one that says official. At the time of writing this, the Java image documentation says it will soon be deprecated in favor of the openjdk image. So the first line of our Dockerfile will look like this: FROM openjdk:8
  3. As you can see, we have used version (or tag) 8 for our image. If you are wondering what type of operating system this image uses, take a look at the Dockerfile of this image, which you can get from the Docker Hub page. Docker images are usually tagged with the version of the software they are written for. That way, it is easy for users to pick from. The next step is creating a directory for our project where we will store our JAR artifact. Add this as your next line:
    RUN mkdir -p /opt/packt/geolocation

    This is a simple Unix command that creates the /opt/packt/geolocation directory. The –p flag instructs it to create the intermediate directories if they don’t exist. Now let’s create an instruction that will add the JAR file that was created in your local machine into the container at /opt/packt/geolocation.

    ADD target/geolocation-0.0.1-SNAPSHOT.jar /opt/packt/geolocation/
  4. As you can see, we are picking up the uber JAR from target directory and dropping it into the /opt/packt/geolocation directory of the container. Take a look at the / at the end of the target path. That says that the JAR has to be copied into the directory.
  5. Before we can start the application, there is one thing we have to do, that is, expose the ports that we would like to be mapped to the Docker host ports. In our case, the in-memory Tomcat instance is running on port 8080. In order to be able to map port 8080 of our container to any port to our Docker host, we have to expose it first. For that, we will use the EXPOSE instruction. Add the following line to your Dockerfile:
    EXPOSE 8080
  6. Now that we are ready to start the app, let’s go ahead and tell Docker how to start a container for this image. For that, we will use the CMD instruction:
    CMD ["java", "-jar", "/opt/packt/geolocation/geolocation-0.0.1-SNAPSHOT.jar"]

There are two things we have to note here. Once is the way we are starting the application and the other is how the command is broken down into comma-separated Strings.

First, let’s talk about how we start the application. You might be wondering why we haven’t used the mvn spring-boot:run command to start the application. Keep in mind that this command will be executed inside the container, and our container does not have Maven installed, only OpenJDK 8. If you would like to use the maven command, take that as an exercise, and try to install Maven on your container and use the mvn command to start the application. Now that we know we have Java installed, we are issuing a very simple java –jar command to run the JAR. In fact, the Spring Boot Maven plugin internally issues the same command.

The next thing is how the command has been broken down into comma-separated Strings. This is a standard that the CMD instruction follows. To keep it simple, keep in mind that for whatever command you would like to run upon running the container, just break it down into comma-separated Strings (in whitespaces).

Your final Dockerfile should look something like this:

FROM openjdk:8

RUN mkdir -p /opt/packt/geolocation

ADD target/geolocation-0.0.1-SNAPSHOT.jar /opt/packt/geolocation/

EXPOSE 8080

CMD ["java", "-jar", "/opt/packt/geolocation/geolocation-0.0.1-SNAPSHOT.jar"]

This Dockerfile is one of the simplest implementations. Dockerfiles can sometimes get bigger due to the fact that you need a lot of customizations to your image. In such cases, it is a good idea to break it down into multiple images that can be reused and maintained separately.

There are some best practices to follow whenever you create your own Dockerfile and image. Though we haven’t covered that here as it is out of the scope of this article, you still should take a look at and follow them. To learn more about the various Dockerfile instructions, go to https://docs.docker.com/engine/reference/builder/.

Building your Docker image

We created the Dockerfile, which will be used in this article to create an image for our microservice. If you are wondering why we would need an image, it is the only way we can ship our software to any system. Once you have your image created and uploaded to a common repository, it will be easier to pull your image from any location.

Getting ready

Before you jump right into it, it might be a good idea to get yourself familiar with some of the most commonly used Docker commands. In this article, we will use the build command. Take a look at this URL to understand the other commands: https://docs.docker.com/engine/reference/commandline/#/image-commands. After familiarizing yourself with the commands, open up a new terminal, and change your directory to the root of the geolocation project. Make sure your docker-machine instance is running. If it is not running, use the docker-machine start command to run your docker-machine instance:

docker-machine start default

If you have to configure your shell for the default Docker machine, go ahead and execute the following command:

eval $(docker-machine env default)

How to do it…

  1. From the terminal, issue the following docker build command:
    docker build –t packt/geolocation.
  2. We’ll try to understand the command later. For now, let’s see what happens after you issue the preceding command. You should see Docker downloading the openjdk image from Docker Hub.Microservices Deployment Cookbook
  3. Once the image has been downloaded, you will see that Docker tries to validate each and every instruction provided in the Dockerfile. When the last instruction has been processed, you will see a message saying Successfully built. This says that your image has been successfully built.Microservices Deployment Cookbook
  4. Now let’s try to understand the command. There are three things to note here:
    • The first thing is the docker build command itself. The docker build command is used to build a Docker image from a Dockerfile. It needs at least one input, which is usually the location of the Dockerfile.

      Dockerfiles can be renamed to something other than Dockerfile and can be referred to using the –f option of the docker build command. An instance of this being used is when teams have different Dockerfiles for different build environments, for example, using DockerfileDev for the dev environment, DockerfileStaging for the staging environment, and DockerfileProd for the production environment. It is still encouraged as best practice to use other Docker options in order to keep the same Dockerfile for all environments.

    • The second thing is the –t option. The –t option takes the name of the repo and a tag. In our case, we have not mentioned the tag, so by default, it will pick up latest as the tag. If you look at the repo name, it is different from the official openjdk image name. It has two parts: packt and geolocation. It is always a good practice to put the Docker Hub account name followed by the actual image name as the name of your repo. For now, we will use packt as our account name, we will see how to create our own Docker Hub account and use that account name here.
    • The third thing is the dot at the end. The dot operator says that the Dockerfile is located in the current directory, or the present working directory to be more precise.
  5. Let’s go ahead and verify whether our image was created. In order to do that, issue the following command on your terminal:
    docker images
  6. The docker images command is used to list down all images available in your Docker host. After issuing the command, you should see something like this:Microservices Deployment Cookbook

As you can see, the newly built image is listed as packt/geolocation in your Docker host. The tag for this image is latest as we did not specify any. The image ID uniquely identifies your image. Note the size of the image. It is a few megabytes bigger than the openjdk:8 image. That is most probably because of the size of our executable uber JAR inside the container.

Now that we know how to build an image using an existing Dockerfile, we are at the end of this article. This is just a very quick intro to the docker build command. There are more options that you can provide to the command, such as CPUs and memory.

To learn more about the docker build command, take a look at this page:

https://docs.docker.com/engine/reference/commandline/build/

Running your microservice as a Docker container

We successfully created our Docker image in the Docker host. Keep in mind that if you are using Windows or Mac, your Docker host is the VirtualBox VM and not your local computer. In this article, we will look at how to spin off a container for the newly created image.

Getting ready

To spin off a new container for our packt/geolocation image, we will use the docker run command. This command is used to run any command inside your container, given the image. Open your terminal and go to the root of the geolocation project. If you have to start your Docker machine instance, do so using the docker-machine start command, and set the environment using the docker-machine env command.

How to do it…

  1. Go ahead and issue the following command on your terminal:
    docker run packt/geolocation
  2. Right after you run the command, you should see something like this:Microservices Deployment Cookbook

Yay! We can see that our microservice is running as a Docker container. But wait—there is more to it. Let’s see how we can access our microservice’s in-memory Tomcat instance. Try to run a curl command to see if our app is up and running:

  1. Open a new terminal instance and execute the following cURL command in that shell:
    curl -H "Content-Type: application/json" -X POST -d '{"timestamp": 1468203975, "userId": "f1196aac-470e-11e6-beb8-9e71128cae77", "latitude": 41.803488, "longitude": -88.144040}' http://localhost:8080/geolocation
  2. Did you get an error message like this?
    curl: (7) Failed to connect to localhost port 8080: Connection refused

Let’s try to understand what happened here. Why would we get a connection refused error when our microservice logs clearly say that it is running on port 8080? Yes, you guessed it right: the microservice is not running on your local computer; it is actually running inside the container, which in turn is running inside your Docker host. Here, your Docker host is the VirtualBox VM called default. So we have to replace localhost with the IP of the container. But getting the IP of the container is not straightforward. That is the reason we are going to map port 8080 of the container to the same port on the VM. This mapping will make sure that any request made to port 8080 on the VM will be forwarded to port 8080 of the container.

  1. Now go to the shell that is currently running your container, and stop your container. Usually, Ctrl + C will do the job. After your container is stopped, issue the following command:
    docker run –p 8080:8080 packt/geolocation
  2. The –p option does the port mapping from Docker host to container. The port number to the left of the colon indicates the port number of the Docker host, and the port number to the right of the colon indicates that of the container. In our case, both of them are same. After you execute the previous command, you should see the same logs that you saw before.
  3. We are not done yet. We still have to find the IP that we have to use to hit our RESTful endpoint. The IP that we have to use is the IP of our Docker Machine VM. To find the IP of the docker-machine instance, execute the following command in a new terminal instance:
    docker-machine ip default.
  4. This should give you the IP of the VM. Let’s say the IP that you received was 192.168.99.100. Now, replace localhost in your cURL command with this IP, and execute the cURL command again:
    curl -H "Content-Type: application/json" -X POST -d '{"timestamp": 1468203975, "userId": "f1196aac-470e-11e6-beb8-9e71128cae77", "latitude": 41.803488, "longitude": -88.144040}' http://192.168.99.100:8080/geolocation
  5. This should give you an output similar to the following (pretty-printed for readability):
    {
      "latitude": 41.803488,
      "longitude": -88.14404,
      "userId": "f1196aac-470e-11e6-beb8-9e71128cae77",
      "timestamp": 1468203975
    }
    
  6. This confirms that you are able to access your microservice from the outside. Take a moment to understand how the port mapping is done. The following figure shows how your machine, VM, and container are orchestrated:Microservices Deployment Cookbook

This confirms that you are able to access your microservice from the outside.

Summary

We looked at an example of a geolocation tracker application to see how it can be broken down into smaller and manageable services. Next, we saw how to create the GeoLocationTracker service using the Spring Boot framework.

Resources for Article:


Further resources on this subject:


LEAVE A REPLY

Please enter your comment!
Please enter your name here