mscharhag, Programming and Stuff;

A blog about programming and software development topics, mostly focused on Java technologies including Java EE, Spring and Grails.

  • Monday, 15 August, 2022

    A standardized error format for HTTP responses

    HTTP uses status codes to indicate the result of the servers attempt to satisfy the request. In case the server is unable to process the request we can choose from a variety of HTTP error codes.

    Unfortunately status codes alone often do not provide enough information for API clients. For example, a server might respond with the status code 400 (Bad Request) to indicate the client sent an invalid request. Wouldn't it be nice if the response body would tell us what specific part of the request was invalid or how to resolve the problem?

    Status codes are used to define higher level error classes while error details are usually part of the response body. Many APIs use a custom error format for response bodies to provide additional problem information. However, there is also a standard that can help us here, defined in RFC 2707.

    RFC 7807 defines a data model for problem details in JSON and XML. Before coming up with a new generic fault or error response format for you API, it might be worth looking into RFC 7807. However, it is absolutely fine to use your own domain-specific format if this fits better to your application.

    RFC 7807: Problem Details for HTTP APIs

    A HTTP response using RFC 7807 might look like this:

    HTTP/1.1 400 Bad request
    Content-Type: application/problem+json
    Content-Language: en
    
    {
        "type": "https://api.my-cool-example.com/problems/required-field-missing",
        "title": "Required field is missing",
        "detail": "Article with id 1234 cannot be updated because the required field 'title' is missing",
        "status": 400,
        "instance": "/articles/1234",
        "field": "title"
    }
    

    As usual, the HTTP status code (400, Bad request) gives us a broad indication of the problem. Notice the response Content-Type of application/problem+json. This tells us the response contains a RFC 7807 compliant body. When using XML instead of JSON the Content-Type application/problem+xml is used.

    A problem details JSON response can have the following members:

    • type (string) - A URI reference that identifies the problem type.
    • title (string) - A short human-readable summary of the problem type. It should not change between multiple occurrences of the same problem type, except for purposes of localization.
    • status (number) - The HTTP status code generated by the origin server.
    • detail (string) - A human-readable description of this specific problem occurrence.
    • instance (string) - A URI that identifies the resource related to this specific problem occurrence.

    All fields are optional. However, you should at least provide a type value as this is used by consumers to identify the specific problem type. Consumers should not parse the title or detail fields.

    Problem types

    Problem types are used to identify specific problems. A problem type must document:

    • A type URI (that is used in the type field of the response).
    • A title that describes the problem (used in the title field of the response).
    • The HTTP status code it is used with.

    The type URI should resolve to a human-readable documentation of the problem (e.g. a HTML document). This URI should be under your control and stable over time.

    Problem types may also specify the use of a Retry-After response header if appropriate.

    RFC 7807 reserves one special URI as a problem type: about:blank. The problem type about:blank can be used if the problem has no additional semantics besides that of the HTTP status code. In this case, the title should be the same as the HTTP status phrase for that code (e.g. Bad Request for HTTP status 400).

    Extension members

    Problem types may extend the problem details object with additional members to provide additional information.

    The field member from the example response shown above is an example of such an extension member. It belongs to the required-field-missing problem type and indicates the missing field. A consumer might parse this member to construct an appropriate error message for the end-user.

    Conclusion

    HTTP status codes alone are often not enough to provide a meaningful problem description.

    RFC 7807 defines a standardized format for a more detailed problem descriptions within the body of an HTTP response. Before coming up with just another custom error response format, it might be a good idea to look at the RFC 7807 problem format.

  • Monday, 22 November, 2021

    HTTP - Content negotiation

    With HTTP, resources are identified using URIs. And a uniquely identified resource might support multiple resource representations. A representation is a specific form of a particular resource.

    For example:

    • a HTML page /index.html might be available in different languages
    • product data located at /products/123 can be served in JSON, XML or CSV
    • an avatar image /user/avatar might available in JPEG, PNG and GIF formats

    In all these cases one underlying resource has multiple different representations.

    Content negotiation is the mechanism used by clients and servers to decide which representation should be used.

    Server-driven and agent-driven content negotiation

    We can differentiate between server-driven and agent-driven content negotiation.

    With server-driven content negotiation the client tells the server which representations are preferable. The server then picks the representation that best fits the clients needs.

    When using agent-driven content negotiation the server tells the client which representations are available. The client then picks the best matching option.

    In practice nearly only server-driven negotiation is used. Unfortunately, there is no standardized format for doing agent-driven negotiation. Additionally, agent-driven negotiation is usually also worse for performance as it requires an additional request / response round trip. In the rest of this article we will therefore focus on server-driven negotiation.

    Accept headers

    With server-driven negotiation the client uses headers to indicate supported content formats. A server-side algorithm then uses these headers to decide which resource representation should be returned.

    Most commonly used is the Accept-Header, which communicates the media-type preferred by the client. For example, consider the following simple HTTP request containing an Accept header:

    GET /monthly-report
    Accept: text/html; q=1.0, text/*; q=0.8

    The header tells the server that the client understands HTML (media-type text/html) and other text based formats (mediatype text/*).

    text/* indicates that all subtypes of the text type are supported. To indicate that all media types are supported we can use */*.

    In this example HTML is preferred over other text based formats because it has a higher quality factor (q).

    Ideally a server would respond with a HTML document to this request. For example:

    HTTP/1.1 200 OK
    Content-Type: text/html
    
    <html>
        <body>
            <h1>Monthly report</h1>
            ...
        </body>
    </html>

    If returning HTML is not feasible, the server can also respond with another text based format, like text/plain:

    200 OK
    Content-Type: text/plain
    
    Monthly report
    Bla bli blu
    ...

    Besides the Accept header there are also the Accept-Language and Accept-Encoding headers, we can use. Accept-Language indicates the language preference of the client while Accept-Encoding defines the acceptable content encodings.

    Of course all these headers can be used together. For example:

    GET /monthly-report
    Accept: text/html
    Accept-Language: en-US; q=1.0, en; q=0.9, fr; q=0.4
    Accept-Encoding: gzip, br

    Here the client indicates that he prefers

    • an HTML document
    • US English (preferred, q=1.0) but other English variations are also fine (q=0.9). If English is not available, French can do the job too (q=0.4)
    • gzip and brotli (br) encoding is supported

    An acceptable response might look like this:

    200 Ok
    Content-Type: text/html
    Content-Language: en
    Content-Encoding: gzip
    
    <gzipped html document>

    What if the server cannot return an acceptable response?

    If the server is unable to fulfill the clients preferences the HTTP status code 406 (Not Acceptable) can be returned. This status code indicates that the server is unable to produce a response matching the clients preference.

    Depending on the situation it might also be viable to return a response that does not exactly match the clients preference. For example, assume no language provided in the Accept-Language header is supported by the server. In this case, it can still be a valid option to return a response using a predefined default language. This might be more useful for the client than nothing. In this case, the client can look at the Content-Language header of the response and decide if he wants to use the response or ignore it.

    Content negotiation in REST APIs

    For REST APIs it can be a viable option to support more than one standard representation for resources. For example, with content negotiation we can support JSON and XML and let the client decide what he wants to use.

    CSV can also be an interesting option to consider in certain situations as the response can directly be viewed with tools like Excel. For example, consider the following request:

    GET /users
    Accept: text/csv
    

    Instead of returning a JSON (or XML) collection, the server now can respond with a list of users in CSV format.

    HTTP/1.1 200 Ok
    Content-Type: text/csv
    
    Id;Username;Email
    1;john;john.doe@example.com
    2;anna91;anna91@example.com

     

    Interested in more REST related articles? Have a look at my REST API design page.

  • Monday, 1 November, 2021

    Avoid leaking domain logic

    Many software architectures try to separate domain logic from other parts of the application. To follow this practice we always need to know what actually is domain logic and what is not. Unfortunately this is not always that easy to separate. If we get this decision wrong, domain logic can easily leak into other components and layers.

    We will go through this problem by looking at examples using a hexagonal application architecture. If you are not familiar with hexagonal architecture (also called ports and adapters architecture) you might be interested in the previous post about the transition from a traditional layered architecture to a hexagonal architecture.

    Assume a shop system that publishes new orders to a messaging system (like Kafka). Our product owner now tells us that we have to listen for these order events and persist the corresponding order in the database.

    Using hexagonal architecture the integration with a messaging system is implemented within an adapter. So, we start with a simple adapter implementation that listens for Kafka events:

    @AllArgsConstructor
    public class KafkaAdapter {
        private final SaveOrderUseCase saveOrderUseCase;
    
        @KafkaListener(topic = ...)
        public void onNewOrderEvent(NewOrderKafkaEvent event) {
            Order order = event.getOrder();
            saveOrderUseCase.saveOrder(order);
        }
    }

    In case you are not familiar with the @AllArgsConstructor annotation from project lombok: It generates a constructor which accepts each field (here saveOrderUseCase) as parameter.

    The adapter delegates the saving of the order to a UseCase implementation.

    UseCases are part of our domain core and implements domain logic, together with the domain model. Our simple example UseCase looks like this:

    @AllArgsConstructor
    public class SaveOrderUseCase {
        private final SaveOrderPort saveOrderPort;
    
        public void saveOrder(Order order) {
            saveOrderPort.saveOrder(order);
        }
    }

    Nothing special here. We simply use an outgoing Port interface to persist the passed order.

    While the shown approach might work fine, we have a significant problem here: Our business logic has leaked into the Adapter implementation. Maybe you are wondering: what business logic?

    We have a simple business rule to implement: Everytime a new order is retrieved it should be persisted. In our current implementation this rule is implemented by the adapter while our business layer (the UseCase) only provides a generic save operation.

    Now assume, after some time, a new requirement arrives: Every time a new order is retrieved, a message should be written to an audit log.

    With our current implementation we cannot write the audit log message within SaveOrderUseCase. As the name suggests the UseCase is for saving an order and not for retrieving a new order and therefore might be used by other components. So, adding the audit log message here might have undesired side-effects.

    The solution is simple: We write the audit log message in our adapter:

    @AllArgsConstructor
    public class KafkaAdapter {
    
        private final SaveOrderUseCase saveOrderUseCase;
        private final AuditLog auditLog;
    
        @KafkaListener(topic = ...)
        public void onNewOrderEvent(NewOrderKafkaEvent event) {
            Order order = event.getOrder();
            saveOrderUseCase.saveOrder(order);
            auditLog.write("New order retrieved, id: " + order.getId());
        }
    }

    And now we have made it worse. Even more business logic has leaked into the adapter.

    If the auditLog object writes messages into a database, we might also have screwed up transaction handling, which is usually not handled in an incoming adapter.

    Using more specific domain operations

    The core problem here is the generic SaveOrderUseCase. Instead of providing a generic save operation to adapters we should provide a more specific UseCase implementation.

    For example, we can create a NewOrderRetrievedUseCase that accepts newly retrieved orders:

    @AllArgsConstructor
    public class NewOrderRetrievedUseCase {
        private final SaveOrderPort saveOrderPort;
        private final AuditLog auditLog;
    
        @Transactional
        public void onNewOrderRetrieved(Order newOrder) {
            saveOrderPort.saveOrder(order);
            auditLog.write("New order retrieved, id: " + order.getId());
        }
    }

    Now both business rules are implemented within the UseCase. Our adapter implementation is now simply responsible for mapping incoming data and passing it to the use case:

    @AllArgsConstructor
    public class KafkaAdapter {
        private final NewOrderRetrievedUseCase newOrderRetrievedUseCase;
    
        @KafkaListener(topic = ...)
        public void onNewOrderEvent(NewOrderKafkaEvent event) {
            NewOrder newOrder = event.toNewOrder();
            newOrderRetrievedUseCase.onNewOrderRetrieved(newOrder);
        }
    }

    This change only seems to be a small difference. However, for future requirements, we now have a specific location to handle incoming orders in our business layer. Otherwise, chances are high that with new requirements we leak more business logic into places where it should not be located.

    Leaks like this happen especially often with too generic create, save/update and delete operations in the domain layer. So, try to be very specific when implementing business operations.

  • Wednesday, 6 October, 2021

    Media types and the Content-Type header

    A Media type (formerly known as MIME type) is an identifier for file formats and format contents. Media types are used by different internet technologies like e-mail or HTTP.

    Media types consist of a type and a subtype. It can optionally contain a suffix and one or more parameters. Media types follow this syntax:

    type "/" [tree "."] subtype ["+" suffix]* [";" parameter]
    

    For example the media type for JSON documents is:

    application/json

    It consists of the type application with the subtype json.

    A HTML document with UTF-8 encoding can be expressed as:

    text/html; charset=UTF-8

    Here we have the type text, the subtype html and a parameter charset=UTF-8 indicating UTF-8 character encoding.

    A suffix can be used to specify the underlying format of a media type. For example, SVG images use the media type:

    image/svg+xml

    The type is image, svg is the subtype and xml the suffix. The suffix tells us that the SVG file format is based on XML.

    Note that subtypes can be organized in a hierarchical tree structure. For example, the binary format used by Apache Thrift uses the following media type:

    application/vnd.apache.thrift.binary

    vnd is a standardized prefix that tells us this is a vendor specific media type.

    The Content-Type header

    With HTTP any message that contains an entity-body should include a Content-Type header to define the media type of the body.

    The RFC says:

    Any HTTP/1.1 message containing an entity-body SHOULD include a Content-Type header field defining the media type of that body. If and only if the media type is not given by a Content-Type field, the recipient MAY attempt to guess the media type via inspection of its content and/or the name extension(s) of the URI used to identify the resource. If the media type remains unknown, the recipient SHOULD treat it as type "application/octet-stream".

    The RFC allows clients to guess the media type if the Content-Type header is not present. However, this should be avoided in any case.

    Guessing the media-type of a piece of data is called Content sniffing (or MIME-sniffing). This practice was (and sometimes is still) used by web browsers and accounts for multiple security vulnerabilities. To explicitly tell browsers not to guess certain media types the following header can be added:

    X-Content-Type-Options: nosniff

    Note that the Content-Type header always contains the media type of the original resource, before any content encoding is applied. Content encoding (like gzip compression) is indicated by the Content-Encoding header.

  • Monday, 20 September, 2021

    From layers to onions and hexagons

    In this post we will explore the transition from a classic layered software architecture to a hexagonal architecture. The hexagonal architecture (also called ports and adapters architecture) is a design pattern to create loosely coupled application components.

    This post was inspired by a German article from Silas Graffy called Von Schichten zu Ringen - Hexagonale Architekturen erklärt.

    Classic layers

    Layering is one of the most widely known techniques to break apart complicated software systems. It has been promoted in many popular books, like Patterns of Enterprise Application Architecture by Martin Fowler.

    Layers allows us to build software on top of a lower level layer without knowing the details about any of the lower level layers. In an ideal world we can even replace lower level layers with different implementations. While the number of layers can vary we mostly see three or four layers in practice.

    Here, we have an example diagram of a three layer architecture:

    The presentation layer contains components related to user (or API) interfaces. In the domain layer we find the logic related to the problem the application solves. The database access layer is responsible database interaction.

    The dependency direction is from top to bottom. The code in the presentation layer depends on code in the domain layer which itself does depend on code located in the database layer.

    As an example we will examine a simple use-case: Creation of a new user. Let's add related classes to the layer diagram:

    In the database layer we have a UserDao class with a saveUser(..) method that accepts a UserEntity class. UserEntity might contain methods required by UserDao for interacting with the database. With ORM-Frameworks (like JPA) UserEntity might contain information related to object-relational mapping.

    The domain layer provides a UserService and a User class. Both might contain domain logic. UserService interacts with UserDao to save a User in the database. UserDao does not know about the User object, so UserService needs to convert User to UserEntity before calling UserDao.saveUser(..).

    In the Presentation layer we have a UserController class which interacts with the domain layer using UserService and User classes. The presentation also does have its own class to represent a user: UserDto might contain utility methods to format field values for presentation in a user interface.

    What is the problem with this?

    We have some potential problems to discuss here.

    First we can easily get the impression that the database is the most important part of the system as all other layers depend on it. However, in modern software development we no longer start with creating huge ER-diagrams for the database layer. Instead, we usually (should) focus on the business domain.

    As the domain layer depends on the database layer the domain layer needs to convert its own objects (User) to objects the database layer knows how to use (UserEntity). So we have code that deals with database layer specific classes located in the domain layer. Ideally we want to have the domain layer to focus on domain logic and nothing else.

    The domain layer is directly using implementation classes from the database layer. This makes it hard to replace the database layer with different implementations. Even if we do not want to plan for replacing the database with a different storage technology this is important. Think of replacing the database layer with mocks for unit testing or using in-memory databases for local development.

    Abstraction with interfaces

    The latest mentioned problem can be solved by introducing interfaces. The obvious and quite common solution is to add an interface in the database layer. Higher level layers use the interface and do not depend on implementation classes.

    Here we split the UserDao class into an interface (UserDao) and an implementation class (UserDaoImpl). UserService only uses the UserDao interface. This abstraction gives us more flexibility as we can now change UserDao implementations in the database layer.

    However, from the layer perspective nothing changed. We still have code related to the database layer in our domain layer.

    Now, we can do a little bit of magic by moving the interface into the domain layer:

    Note we did not just move the UserDao interface. As UserDao is now part of the domain layer, it uses domain classes (User) instead of database related classes (UserEntity).

    This little change is reversing the dependency direction between domain and database layers. The domain layer does no longer depend on the database layer. Instead, the database layer depends on the domain layer as it requires access to the UserDao interface and the User class. The database layer is now responsible for the conversion between User and UserEntity.

    In and out

    While the dependency direction has been changed the call direction stays the same:

    The domain layer is the center of the application. We can say that the presentation layer calls in the domain layer while the domain layer calls out to the database layer.

    As a next step, we can split layers into more specific components. For example:

    This is what hexagonal architecture (also called ports and adapters) is about.

    We no longer have layers here. Instead, we have the application domain in the center and so-called adapters. Adapters provide additional functionality like user interfaces or database access. Some adapters call in the domain center (here: UI and REST API) while others are outgoing adapters called by the domain center via interfaces (here database, message queue and E-Mail)

    This allows us the separate pieces of functionality into different modules/packages while the domain logic does not have any outside dependencies.

    The onion architecture

    From the previous step it is easy to move to the onion architecture (sometimes also called clean architecture).

    The domain center is split into the domain model and domain services (sometimes called use cases). Application services contains incoming and outgoing adapters. On the out-most layer we locate infrastructure elements like databases or message queues.

    What to remember?

    We looked at the transition from a classic layered architecture to more modern architecture approaches. While the details of hexagonal architecture and onion architecture might vary, both share important parts:

    • The application domain is the core part of the application without any external dependencies. This allows easy testing and modification of domain logic.
    • Adapters located around the domain logic talk with external systems. These adapters can easily be replaced by different implementations without any changes to the domain logic.
    • The dependency direction always goes from the outside (adapters, external dependencies) to the inside (domain logic).
    • The call direction can be in and out of the domain center. At least for calling out of the domain center, we need interfaces to assure the correct dependency direction.

    Further reading