DEV Community

Cover image for Provider Pattern in Go and Why You Should Use It
OrenRosen
OrenRosen

Posted on • Originally published at Medium

Provider Pattern in Go and Why You Should Use It

Fishing gopher by Maria Letta, and pier background by Pier Vectors by Vecteezy

When we are writing code, we’re likely to deal with the same problems and challenges repeatedly. One of these challenges we are all facing from time to time is interacting with an external service. It may seem like a trivial issue, but even simple needs deserve a consistent solution. As programmers, we like familiar patterns that make it easy for us to write code, and more significantly, make our code open to changes and easier to read. The standard solution for interacting with an external service I will suggest in this post is to use a dependency injection named a provider.

What is a provider model?

Around 2005, Microsoft formulated the provider model for allowing .NET 2.0 applications to choose from one or more implementations when calling a 3rd party API or accessing data stores. Developers can plug their implementation of a feature and swap components in runtime.

There are many opinions about the MSFT idea. Some say it’s not even a real pattern and others suggest that it’s just a fancy name for the already existing strategy pattern. I won’t go any further about what it is exactly. You can read all about it in the 130 pages white paper Microsoft wrote about it in 2005. For this post, it’s not very relevant. As I stated, what I will refer to as a provider pattern is just one use of dependency injection.

So let’s start with an example in Go. The idea is to present a way to abstract the interaction with an external service. It may be calling an API, 3rd party service SDK, data store, or any component which isn’t directly a concern of the application layer itself.

SimpleWeather Example

For our example, we’ll write a program which will tell us if we need to wear short or long sleeves. It will do it by talking with an external service for getting the weather in a specific city. Very neat and groundbreaking, I know.

Keep in mind that this is a very simple example which intent is the abstraction of the interaction with the external service.

Let’s shortly go over the components that will compose this application. An entity, a use case service, and a provider package.

Full source code can be found here.

Entity

Our entity is a struct representing the weather. Since it’s a simple application, this kind of DTO doesn’t hold any behavior. In bigger applications, the entity layer may have a business policy that should be kept valid for the whole application.

package weather

type Weather struct {
    Temp     float32
    Pressure float32
    MinTemp  float32
    MaxTemp  float32
}
Enter fullscreen mode Exit fullscreen mode

In this simple example, our only use case is deciding what to wear according to the weather. We’ll have a simple application-service that holds this “complex” BL. If the temperature is above 20°C, it will tell us we can have short sleeves. Otherwise, we need long sleeves. This service will get the weather from a WeatherProvider interface and then will calculate what we should wear.

type WeatherProvider interface {
    GetWeatherByCity(city string) (weather.Weather, error)
}
Enter fullscreen mode Exit fullscreen mode

The abstraction in Go comes in handy with the provider interface (like any other interface). The fact that interfaces are implemented implicitly allows you to declare the interface next to the use, not the implementation. It’s actually one of the practices to write idiomatic Go.

Note that the WeatherProvider interface method only knows about the existence of our entity. We will inject this dependency into the service when we initialize it. The service won’t care who brings the data nor how it is being generated.

package forecasting

import (
    "fmt"

    "github.com/OrenRosen/simpleweather/weather"
)

type WeatherProvider interface {
    GetWeatherByCity(city string) (weather.Weather, error)
}

type service struct {
    weatherProvider WeatherProvider
}

func NewService(p WeatherProvider) *service {
    return &service{
        weatherProvider: p,
    }
}

func (s *service) WhatToWear(city string) (string, error) {
    w, err := s.weatherProvider.GetWeatherByCity(city)
    if err != nil {
        return "", fmt.Errorf("WhatToWear: %w", err)
    }

    if w.Temp < 21 {
        return "long sleeves", nil
    }

    return "short sleeves", nil
}
Enter fullscreen mode Exit fullscreen mode

In fact, we don’t even need to know at this stage from where we will bring the data. We can have a stub implementation for this interface, and everything will work. It makes the Use Case itself testable, as it doesn’t depend on any external service.

Provider

The provider is acting as an adapter between the external service and our application. We can implement it only after we know the details of the external service. In our case, the details are [OpenWeather](https://openweathermap.org/current) API to fetch the actual weather. The provider will convert its response into the application Weather entity.

package openweather

import (
    "github.com/OrenRosen/simpleweather/weather"
)

type weatherResponse struct {
    Message string
    Main    struct {
        Temp     float32 `json:"temp"`
        Pressure float32 `json:"pressure"`
        TempMin  float32 `json:"temp_min"`
        TempMax  float32 `json:"temp_max"`
    }
}

func (r weatherResponse) ToWeather() weather.Weather {
    return weather.Weather{
        Temp:     r.Main.Temp,
        Pressure: r.Main.Pressure,
        MinTemp:  r.Main.TempMin,
        MaxTemp:  r.Main.TempMax,
    }
}
Enter fullscreen mode Exit fullscreen mode

The response struct is defined in our openweather package. Used to convert the language of the external service to our own application language.
We will use the response struct weatherResponse for decoding the response body. It is coupled to the OpenWeather API and contains JSON tags according to it. Unlike the application entity, which doesn’t hold any tags. It is essential to make this distinction for not mixing our entity with JSON tags. If the OpenWeather API changes, our entity won’t be. For example, if it will return “temperature” instead of “temp”, we won’t need to change our application’s code, only the provider’s code.

The provider itself calls the external API and converts the response into the entity:

package openweather

import (
    "encoding/json"
    "fmt"
    "io/ioutil"
    "net/http"

    "github.com/OrenRosen/simpleweather/weather"
)

const (
    endpoint                = "https://api.openweathermap.org/data/2.5"
    pathFormatWeatherByCity = "/weather?q=%s&appid=%s&units=metric"
)

type provider struct {
    apiKey string
}

func NewProvider(apiKey string) *provider {
    return &provider{
        apiKey: apiKey,
    }
}

func (p *provider) GetWeatherByCity(city string) (weather.Weather, error) {
    // compose the url. note that it's not the best way to add query params.
    path := fmt.Sprintf(pathFormatWeatherByCity, city, p.apiKey)
    u := endpoint + path

    res, err := http.Get(u)
    if err != nil {
        return weather.Weather{}, fmt.Errorf("openweather.GetWeatherByCity failed http GET: %s", err)
    }
    defer res.Body.Close()

    // read the response body and encode it into the respose struct
    bodyRaw, err := ioutil.ReadAll(res.Body)
    if err != nil {
        return weather.Weather{}, fmt.Errorf("openweather.GetWeatherByCity failed reading body: %s", err)
    }

    var weatherRes weatherResponse
    if err = json.Unmarshal(bodyRaw, &weatherRes); err != nil {
        return weather.Weather{}, fmt.Errorf("openweather.GetWeatherByCity failed encoding body: %s", err)
    }

    if res.StatusCode != http.StatusOK {
        return weather.Weather{}, fmt.Errorf("openweather.GetWeatherByCity got error from OpenWeather: %s", weatherRes.Message)
    }

    // return the external response converted into an entity
    return weatherRes.ToWeather(), nil
}
Enter fullscreen mode Exit fullscreen mode

Note that this package’s name is the same as the actual external service’s name -openweather. This is since it resides in the most outer layer as it is related to the mechanism and not the BL. By doing so, we are setting a clue for the reader that this package has nothing to do with the actual application BL or policy. It’s the implementation detail.

Main

Main is where we compose everything:

package main

import (
    "flag"
    "fmt"
    "log"

    "github.com/OrenRosen/simpleweather/forecasting"
    "github.com/OrenRosen/simpleweather/openweather"
)

const apiKey = "put_your_api_key_here"

func main() {
    cityP := flag.String("city", "London", "City to be queried")
    flag.Parse()
    city := *cityP

    openweatherProvider := openweather.NewProvider(apiKey)
    weatherService := forecasting.NewService(openweatherProvider)

    outfit, err := weatherService.WhatToWear(city)
    if err != nil {
        log.Fatalf("couldn't get what to wear in %s: %v", city, err)
    }

    fmt.Printf("you should wear in %s: %s\n", city, outfit)
}
Enter fullscreen mode Exit fullscreen mode

main gets a flag representing a city, initializes the provider and the service, and triggers our forecasting service method.
That is all there is. At first glance, it may look like it’s over-engineering for such a small application. But hopefully, after some time, the application will grow and change. You might want to have an entity outfit that holds the vital policy about 21°C. It doesn’t matter much for this example. Separating the code that knows about the outside world is crucial for enabling such changes in the future.

This separation is the main core of the clean architecture approach, which we’ll take a closer look at in the next section.

Clean Architecture

Clean Architecture is a software architecture design that was created by Uncle Bob. Its objective is the separation of concerns, allowing developers to encapsulate the business logic and keep it independent from the delivery and framework mechanism. The same goal is also shared by former ideas such as Onion and Hexagon Architectures. They all achieve this separation by dividing the software into layers.

The most common image in this subject for visualizing the layers is probably this one:

credit and source: https://blog.cleancoder.com/uncle-bob/2012/08/13/the-clean-architecture.html

The arrows in the circles show the dependency rule. If something is declared in an outer circle, it must not be mentioned in the inner circle code. It goes both for actual code dependencies, but also for naming. The name OpenWeather in our example is only mentioned in the provider that implements the WeatherProvider. It is done to demonstrate that inner layers are not dependent on any outer layer.

The outer layer contains the low-level components such as UI, DB, or a 3rd party service. They all can be thought of as details or plugins to the application. The goal is that you could replace these details without a change in the inner layers, which are more related to the application.

Crossing boundaries

OK, but how can we cross the boundaries outwards? In our example, the application-service still needs to call OpenWeather API somehow. Meaning the use-case layer must call the outer layer. It would violate the dependency rule. The obvious answer is interfaces.

Well, not really everywhere. But instead of calling the outer layer directly, the application-service calls an interface. This interface is implemented in the outer layer. Just like the forecasting.service calls its WeatherProvider interface.

A simplified diagram for our application could be something like this:

`simpleweather` app divided into layers.

That is where Go has an advantage. A type doesn’t need to specify which interface it implements. It enables the WeatherProvider interface to belong to the application-service layer. The forecasting package and the provider can be independent of one another. In case the OpenWeather API is changed, the only change will be in our opwnweather package.

Test yourself, check for violation.

There are a couple of ways to check yourself to see if you violate the dependency rule. Of course, these are rules of thumb and may have exceptions.

Wording

The word openweather should appear only in main and in the openweather package. Note that in the application layer, the name of the interface is WeatherProvider and not OpenWeatherProvider. It’s a vital restriction since it emphasizes that the application use-case doesn’t know how the weather is being brought into the application. Your application should say what it needs, not how it needs it to be done.

Import

The only import to the openweather package is from main. It’s because this package belongs to the outermost layer. So this package can’t be a dependency of any other package except the main.

External Awareness

The only component that is aware of the external OpenWeather API’s existence is the provider (and main). It doesn’t account only for HTTP calls. It was also the case if OpenWeather had SDK, which the provider would import.

Package Naming

The provider package’s name is the same as the name of the external service it uses. It is to make it clear that it’s an implementation detail, a mechanism. Just like that in the package HTTP, you will find an HTTP implementation. Keeping it in a different package from the application packages is making these concerns truly separated. For connivance, you could put all of your providers in a provider’s folder. (But don’t use it as a package, though).

Benefits

As been said, it may look like an overhead within such a small application, but in the long run, you will notice the benefits it provides. Let’s summarize some of them.

Separation of Dependencies

First and foremost is making your dependencies separated. Your BL doesn’t know anything about the outside world. Your application itself doesn’t aware of HTTP. If you see an import to the http package in the service, you may raise an eyebrow and start thinking about refactoring.

The same goes for authentication into the external service. The auth and transport utilities aren’t scattered all over your code, which is a good practice in general.

It also helps during pull requests. When reviewing a changed code due to a change in the external service, you will know pretty much what to expect. You would expect only the provider package to be changed. If you see a change in the entity, for example, it will make you ask questions.

Consistency and Standardization

In most cases, it won’t be such a small app, and it won’t be only you as its developer. Keeping a consistent style guide for dealing with familiar problems will make your team live easier. You will find something quicker in the code. It also provides a good starting point when writing a new feature or service. The template is always the same.

Note that this provider pattern is suitable for any external service, whether it’s a service within your company or AWS SDK. You could have a package aws just to adapting the languages of AWS and your entities.

For data access, you already familiar with the repository pattern. It is just a private case for the provider pattern. If your DB is SQL, you could have a package sql. If your DB is Postgres, you could name it postgres.

Testable

As been said, you could write your service before having the provider code ready or without even knowing who the provider is. Imagine your company is waiting for some external service approval before they will provide you the API key. It would be best if you didn’t wait for them in order to start writing some BL.

It makes the use case testable, of course, since it relies on an interface rather than an actual implementation.

In addition, the provider itself can get the endpoint in the initializer. If the external service has a QA endpoint, or even if you have a different environment configuration, this becomes extremely helpful.

Wrapping it up

We saw an example in Go for accessing an external service API. We wrote it with separation of concerns in mind by using the Clean Architecture ideas for achieving a code that is separated by dependencies, flexible, and testable.

Go is suitable for this, thanks to the implicit interface implementation and packages structure and naming, but the ideas are true in general. Even if it looks like a lot of code for something mundane, it has its benefits in the long run. If you are not convinced, I hope this post at least showed you another option for writing code.

Top comments (2)

Collapse
 
jiayanguo profile image
jguo • Edited

Thanks for sharing. I do think this is a Strategy Pattern implementation in GO. For me, far more easier if I treat it as Strategy Pattern .

Collapse
 
orenrosen profile image
OrenRosen

Legit. Doesn't really matter that it's not a real or new pattern, just wanted to convey the idea of the abstraction. Where all external knowledge is on the edge. Hope it makes sense :)