Roland’s notes: Robert C. Martin – Clean Code

Like many others, I learn best by taking notes and I more remember taking the notes then the actual learning (this is why it is such a dealbreaker to send out meeting notes after an important meeting!).

In this series, let’s call it Roland’s notes, for now I will share my notes about books and articles that I find important enough to take notes myself. These are more meant for me and the purpose is not really to have them at the end, the goal is the journey itself to write them. What could be a better starter, than one of the must-haves of software engineering?

General impressions

It’s easy to see why this book is considered a must-read in the industry – one of my mentors once said: “Look, I could tell you this, but someone already put it to a perfect form and I don’t think I could explain it better. Just go read it” which I found accurate after.

It is the type of book I think I will have to come back to again later once I gain more coding experience – some concepts were too abstract for me for the first run. However, it helped me understand what clean code means, and it can act as an anchor if next time I find myself debating what would be a better way of building a method.

Notes

Meaningful names

Naming cheat-sheet

I have a mark here that this is important. My first thought was: my god, I should just memorize this whole chapter – it is collected so well, what would I make notes of? However, I realized that I would really like to have a “Clean Code naming cheat sheet”, so figured I can write that.

  • intention-revealing names
    • it should do what you think from the name it does
  • make it pronounceable
    • avoid names like genymdhms (generation date, year, month, day, hour minute, second).
    • just use English words, like generationTimestamp
  • Use searchable names
    • max_classer_per_student is better than “7”
    • avoid using one-char variable names
    • if your method is very small, it could be justified – but try to avoid it
  • don’t use prefix or suffix
    • people learn to ignore them. Once ignored, it just makes code harder to read
    • if you feel like that you NEED to use prefixes, it is typically a strong indicator you could outsource it to a separate class.
  • If you have an interface and an implementation, and you feel you have to mark it, mark the impl. not the interface
    • interface: shapeFactory, implementation: shapeFactoryImp
  • Classes are nouns
    • ignore the words: manager, processor, data, info
  • methods names
    • verb or verb phrase names
    • accessor, mutator should get, set, is
  • don’t be cute
    • use kill() for kill and not whack(). Say what you mean!
  • one word per concept
    • if you already have fetched, use fetch everywhere. Consistency is key!
  • Use computer-science abstract terms
    • these will be known to other coders you work with. Also helps with keeping abstraction higher.
    • otherwise, you will need to have business knowledge to understand code which is not preferred

Functions

Factories

This was not directly in the book, but was referred to, and I didn’t have the clear picture in my head what a factory is and what the benefit of one is. In the book, it implements an EmployeeFactory.

Now I understand, that the purpose of the factory is a design pattern that provides an interface for creating objects in a superclass, but allows the superclass to define the type of object it would create. It is easier to understand with an example:

We have two classes, Dog and Cat:

public class Cat implements Animal {
    public void speak() {
        System.out.println("Meow");
    }
}

public class Dog implements Animal {
    public void speak() {
        System.out.println("Woof");
    }
}

Now, when I want to create either of them I need to define which class I exactly want and fulfill all constructors (for simplicity, they don’t have parameters now). To create an abstraction layer, we define a superclass, Animal:

public interface Animal {
    void speak();
}

Now, I know that they are familiar, and I can interact with them, and this gives me an option to create a factory:

public class AnimalFactory {
    public Animal createAnimal(String type) {
        switch (type) {
            case "cat":
                return new Cat();
            case "dog":
                return new Dog();
            default:
                throw new IllegalArgumentException("Invalid animal type: " + type);
        }
    }
}

Now, the benefit we get from it is that I don’t need to know the exact class and all their needs, I only need to deal with AnimalFactory, and it will create my animal for me and will return the required one (hence the name factory). The other benefit is that if I need a new type of animal, I only have to update AnimalFactory (the abstraction), but will not need to update the client code. A great showcase for open-closed principle!

Objects and Data Structures

Output arguments

When I wrote my first application, I had a case where I had to do sequential filtering with mutual exclusivity (whatever I filtered out I know will not be needed later and can be removed). I figured the most efficient way of running the sequence was that whatever I found, I also removed it from the list. I remember when the senior developer reviewed my code, he said, “Don’t you touch my inputs!” and I took a mental note: never ever change any input parameter.

Now, life is not as black and white and I think that removing wasn’t a bad option from a performance point of view, but there wasn’t enough explanation around it. My conclusion is, that if I have to break such a general rule, then next time I should be more clean with my code (maybe move the list to a class and have some method remove the object from it?).

Error handling

Error.java

When I built my first pet project in Spring, I had a paid mentor who shared some practices he would recommend. One of them was for error handling, he recommends creating an enum, which contains all the possible codes. Now, Clean code recommends against it (the argument is that it is a dependency magnet and would force all dependent classes to be recompiled and redeployed upon change)

There is no conclusion. I still like the idea of having the enum as it forces the users to have more standardized error codes. Maybe having functional layering and error codes enum for that element could be a good middle ground? For this, I need to get more experience to make up my mind.

Classes

How do you write clean code?

You don’t! At least not for the first try. First, write a code that works. The key is to not stop there, then rethink and refactor until you don’t think it could be further improved. The whole thesis of the book is that this time investment will pay off thousands of times during maintenance.

Don’t return null

One uncaught null can cause a runtime error – it is better to avoid it. Practical advice is to use Collections.emptyList when dealing with lists. Sometimes you will have to – but if you can, avoid it.

Learning Tests Are Better Than Free

Let’s imagine you have to learn how a new library or 3rd party API works. The recommended way is to start to create test cases: you anyway have to understand it, but these tests will be useful later because you can run them every time the library/API is upgraded to make sure it is still working as expected.

How big a class should be?

The book recommends the Single Responsibility Practice, which recommends that every class should have one responsibility and one reason to change. The responsibility is easy to understand and even easier to ignore – but what do we mean by change?

To me inexperienced mind, it was not obvious what we mean by change. Is it a change in state? Or is a change of a variable inside? Is it a change in code when a function changes? It turns out, that it is the last one: we have to think what functionality change or future event could cause us to change the class. If there is more than one, it is a good indicator to change.

An easy example would be the following class:

public class Report {
    public String generateData() {
        // Code to generate report data
    }

    public String formatData() {
        // Code to format report data
    }
}

Now, assume that the code is small enough it would make sense that we store these in one class: the responsibility is “everything with the records”. This is not really true (for first, it is a poor choice of responsibility), but for the reports, both the way it is generated and formatted are separate reasons to change: hence it would be recommended to split.

Emergence

The main four rules

  • Runs all the tests
    • If you can’t verify correct behavior, it doesn’t matter if it behaves correctly.
    • Writing tests pushes you to keep smaller, more readable, more testable classes and methods.
  • Contains no duplication
    • Easy to spot: same lines of code repeating
    • Hard to spot: different code doing same thing
    • Use abstract classes
  • Expresses the intent of the programmer
    • Keep functions, methods, classes small → each level of abstraction gives you an option to name something with an expressive name
    • Use standard
      • design patterns that other developers will understand
      • names and nomenclature
    • Unit tests are also expressive.
  • Minimizes the number of classes and methods
    • The word minimizes is important. It should be the goal, but don’t overdo it.

Concurrency

A common design pattern is producer-consumer. A producer produces a resource and moves it to a pool where the consumer will pick up. The producer should not produce if there is no space in the pool, and the consumer must wait until there is something to consume.

Best practices & “Smells and Heuristics”

Vertical separation

Ideally, classes should have one public method and they should be using private methods. Private methods should be just below when they are being first identified. Code will be written (by humans) mostly from top to bottom, so you should make your code readable that way.

Continue ReadingRoland’s notes: Robert C. Martin – Clean Code

How to auto-refresh OAuth 2.0/Bearer token in Postman (Keycloak example)

Context

I am setting up Keycloak for a pet project and for automation purposes I wanted to use their Admin REST API. It took me a bit of time to find out how to get the token for authorization and then I was surprised that Postman does not offer an off-the-shelf auto-refresh solution. As Keycloak tokens expire after 1 min, I realized I had to find a solution for testing.

After digging a bit I found that this could be solved easily with Pre-request scripts. Postman gives the option to execute Javascript pre- and post-request and using javascript it is possible to call the authorization endpoint and save the token.

In my example, I am applying the script for a folder, meaning that every request in that folder will execute it when required (sidenote: make sure you save your folder before you try! I spent quite some time debugging why it doesn’t work when it just wasn’t saved).

Preparation

The only thing you need to prepare is an environment in Postman and define five variables in it

OAuth_TokenNo need to define. Will store the actual token which will be referred to during authorization.
OAuth_token_endpointThe endpoint where the token is refreshed.
Oauth_token_lastRefreshTimeTimestamp of when the token was last refreshed.
Oauth_usernameIn my example, I needed a username and password to get the token and for best practice, I stored them as environment variables.
Oauth_password
Environment variables and their description

How-to

Setup auto-refresh

I have a folder called Keycloak (of course, in your example you can have any folder) and inside that folder I have a request called list-of realms. In the Pre-request part, add the following Javascript code:

var Oauth_token_lastRefreshTime = 
    new Date(pm.environment.get("Oauth_token_lastRefreshTime"));
const tokenRefreshMiliseconds = 55000
const currTime = new Date(); 
if (
    isNaN(Oauth_token_lastRefreshTime.getTime()) || 
    Oauth_token_lastRefreshTime == null ||
    currTime - Oauth_token_lastRefreshTime > tokenRefreshMiliseconds
    ) {
    refreshOauthToken();
}

function refreshOauthToken() {
    let OAuth_token_endpoint = pm.environment.get("OAuth_token_endpoint");
    let Oauth_username = pm.environment.get("Oauth_username");
    let Oauth_password = pm.environment.get("Oauth_password");
    pm.sendRequest({
        url: OAuth_token_endpoint,
        method: 'POST',
        header: {
            'Content-Type': 'application/x-www-form-urlencoded'
        },
        body: {
            mode: 'urlencoded',
            urlencoded: [
                {key: "username", value: Oauth_username},
                {key: "password", value: Oauth_password},
                {key: "grant_type", value: "password"},
                {key: "client_id", value: "admin-cli"}
            ]
        }
    }, function (err, res) {
        if (err) {
            console.log(err);
        } else {
            pm.environment.set("OAuth_Token", res.json().access_token);
            pm.environment.set("Oauth_token_lastRefreshTime",currTime);
        }
    });
}

This code

  • gets the last time of refresh from env. variable
  • if it’s empty, not a date, or older than 55.000 ms (55 sec), it refreshes the token
    • gets the endpoint from env. variable
    • calls the auth endpoint with the required headers and the body
    • saves the token to an env. variable

Setup authorization

This is quite simple, select the Bearer token, and for the token itself, refer to the environment variable as {{OAuth_Token}}. Keep in mind, that if you are doing how I did it (defining it on the folder level), then in the request itself you need to define authorization as “inherit Auth from parent“.

How to test

In the console (bottom-left in Postman) you can see the outgoing requests. I called the /realms endpoint twice: the first time it triggered the token refresh before the call itself, and the second time it didn’t refresh it at all. If it doesn’t work for any reason, you can use the arrow to open the request for more details.

Continue ReadingHow to auto-refresh OAuth 2.0/Bearer token in Postman (Keycloak example)

RTJ3: Smaller things

The biggest help that I got from my company is that they helped me identify a pet project which is small enough to make sense, but complex enough to help me learn. In general, it uploads, exposes some files, and later modifies them via an open-source library. This enables me to learn in a way that I know what I want to build and I learn what I need for the next chapter. I will share here where the guides that helped me a lot.

Accessing data with MySQL
(or how to use MySQL with Spring)

It took me some time to understand that I don’t actually need to write the queries myself but JPA will take care of it and I only have to care for the data model (this is simplification, for sure). My thinking before was that it must work in a way that I have to construct the query as any spring (like “select version from excel_file where uuid=\”” + result.uuid + “\;”).

To make this work, I had to figure out how to host a MySQL server using docker. Here, ChatGPT and some googling walked me through and now I am a happy user of that database.

Right now, my structure is very simple, it is only one tab, but it does do the job:

Handling Form Submission
(or how to create/host an HTML page in Java)

I learned here about Thymeleaf and controllers how to create a simple form, and how to connect it to a template and access it from the browser. The pet project I am working on is more backend-facing and the UI is only the backup, I did not focus too much on this, I built a generic template with error handling. It was still useful to understand how these are connected conceptually.


Continue ReadingRTJ3: Smaller things