Cover image
Back-end
9 minute read

The Six Commandments of Good Code: Write Code That Stands the Test of Time

How do you define good code? Is it 100% test coverage, or is it backwards compatibility with decade-old hardware? We may not be able to reach an end to this debate yet, but good software always seems to conform to a few certain qualities of code. In this article, Toptal Freelance Software Engineer Zachary Goldberg walks us through six simple ideas that can help you make better, more maintainable software.

Humans have only been grappling with the art and science of computer programming for roughly half a century. Compared to most arts and sciences, computer science is in many ways still just a toddler, walking into walls, tripping over its own feet, and occasionally throwing food across the table.

As a consequence of its relative youth, I don’t believe we have a consensus yet on what a proper definition of “good code” is, as that definition continues to evolve. Some will say “good code” is code with 100% test coverage. Others will say it’s super fast and has a killer performance and will run acceptably on 10-year-old hardware.

While these are all laudable goals for software developers, however I venture to throw another target into the mix: maintainability. Specifically, “good code” is code that is easily and readily maintainable by an organization (not just by its author!) and will live for longer than just the sprint it was written in. The following are some things I’ve discovered in my career as an engineer at big companies and small, in the USA and abroad, that seem to correlate with maintainable, “good” software.

Never settle for code that just "works." Write superior code.

Commandment #1: Treat Your Code the Way You Want Others’ Code to Treat You

I’m far from the first person to write that the primary audience for your code is not the compiler/computer, but whoever next has to read, understand, maintain, and enhance the code (which will not necessarily be you six months from now). Any engineer worth their pay can produce code that “works”; what distinguishes a superb engineer is that they can write maintainable code efficiently that supports a business long term and have the skill to solve problems simply and in a clear and maintainable way.

In any programming language, it is possible to write good code or bad code. Assuming we judge a programming language by how well it facilitates writing good code (it should at least be one of the top criteria, anyway), any programming language can be “good” or “bad” depending on how it is used (or abused).

An example of a language that by many is considered “clean” and readable is Python. The language itself enforces some level of white space discipline and the built in APIs are plentiful and fairly consistent. That said, it’s possible to create unspeakable monsters. For example, one can define a class and define/redefine/undefine any and every method on that class during runtime (often referred to as monkey patching). This technique naturally leads to at best an inconsistent API and at worst an impossible to debug monster. One might naively think,”sure, but nobody does that!” Unfortunately they do, and it doesn’t take long browsing pypi before you run into substantial (and popular!) libraries that (ab)use monkey patching extensively as the core of their APIs. I recently used a networking library whose entire API changes depending on the network state of an object. Imagine, for example, calling client.connect() and sometimes getting a MethodDoesNotExist error instead of HostNotFound or NetworkUnavailable.

Commandment #2: Good Code Is Easily Read and Understood, in Part and in Whole

Good code is easily read and understood, in part and in whole, by others (as well as by the author in the future, trying to avoid the “Did I really write that?” syndrome).

By “in part” I mean that, if I open up some module or function in the code, I should be able to understand what it does without having to also read the entire rest of the codebase. It should be as intuitive and self-documenting as possible.

Code that constantly references minute details that affect behavior from other (seemingly irrelevant) portions of the codebase is like reading a book where you have to reference the footnotes or an appendix at the end of every sentence. You’d never get through the first page!

Some other thoughts on “local” readability:

  • Well encapsulated code tends to be more readable, separating concerns at every level.

  • Names matter. Activate Thinking Fast and Slow’ssystem 2 way in which the brain forms thoughts and put some actual, careful thought into variable and method names. The few extra seconds can pay significant dividends. A well-named variable can make the code much more intuitive, whereas a poorly-named variable can lead to headfakes and confusion.

  • Cleverness is the enemy. When using fancy techniques, paradigms, or operations (such as list comprehensions or ternary operators), be careful to use them in a way that makes your code more readable, not just shorter.

  • Consistency is a good thing. Consistency in style, both in terms of how you place braces but also in terms of operations, improves readability greatly.

  • Separation of concerns. A given project manages an innumerable number of locally important assumptions at various points in the codebase. Expose each part of the codebase to as few of those concerns as possible. Say you had a people management system where a person object may sometimes have a null last name. To somebody writing code in a page that displays person objects, that could be really awkward! And unless you maintain a handbook of “Awkward and non obvious assumptions our codebase has” (I know I don’t) your display page programmer is not going to know last names can be null and is probably going to write code with a null pointer exception in it when the last name-being null case shows up. Instead handle these cases with well thought out APIs and contracts that different pieces of your codebase use to interact with each other.

Commandment #3: Good Code Has a Well Thought-out Layout and Architecture to Make Managing State Obvious

State is the enemy. Why? Because it is the single most complex part of any application and needs to be dealt with very deliberately and thoughtfully. Common problems include database inconsistencies, partial UI updates where new data isn’t reflected everywhere, out of order operations, or just mind numbingly complex code with if statements and branches everywhere leading to difficult to read and even harder to maintain code. Putting state on a pedestal to be treated with great care, and being extremely consistent and deliberate with regard to how state is accessed and modified, dramatically simplifies your codebase. Some languages (Haskell for example) enforce this at a programmatic and syntactic level. You’d be amazed how much the clarity of your codebase can improve if you have libraries of pure functions that access no external state, and then a small surface area of stateful code which references the outside pure functionality.

Commandment #4: Good Code Doesn’t Reinvent the Wheel, It Stands on the Shoulders of Giants

Before potentially reinventing a wheel, think about how common the problem is you’re trying to solve or the function is you’re trying to perform. Somebody may have already implemented a solution you can leverage. Take the time to think about and research any such options, if appropriate and available.

That said, a completely reasonable counter-argument is that dependencies don’t come for “free” without any downside. By using a 3rd party or open source library that adds some interesting functionality, you are making the commitment to, and becoming dependent upon, that library. That’s a big commitment; if it’s a giant library and you only need a small bit of functionality do you really want the burden of updating the whole library if you upgrade, for example, to Python 3.x? And moreover, if you encounter a bug or want to enhance the functionality, you’re either dependent on the author (or vendor) to supply the fix or enhancement, or, if it’s open source, find yourself in the position of exploring a (potentially substantial) codebase you’re completely unfamiliar with trying to fix or modify an obscure bit of functionality.

Certainly the more well used the code you’re dependent upon is, the less likely you’ll have to invest time yourself into maintenance. The bottom line is that it’s worthwhile for you to do your own research and make your own evaluation of whether or not to include outside technology and how much maintenance that particular technology will add to your stack.

Below are some of the more common examples of things you should probably not be reinventing in the modern age in your project (unless these ARE your projects).

Databases

Figure out which of CAP you need for your project, then chose the database with the right properties. Database doesn’t just mean MySQL anymore, you can chose from:

  • “Traditional” Schema’ed SQL: Postgres / MySQL / MariaDB / MemSQL / Amazon RDS, etc.
  • Key Value Stores: Redis / Memcache / Riak
  • NoSQL: MongoDB/Cassandra
  • Hosted DBs: AWS RDS / DynamoDB / AppEngine Datastore
  • Heavy lifting: Amazon MR / Hadoop (Hive/Pig) / Cloudera / Google Big Query
  • Crazy stuff: Erlang’s Mnesia, iOS’s Core Data

Data Abstraction Layers

You should, in most circumstances, not be writing raw queries to whatever database you happen to chose to use. More likely than not, there exists a library to sit in between the DB and your application code, separating the concerns of managing concurrent database sessions and details of the schema from your main code. At the very least, you should never have raw queries or SQL inline in the middle of your application code. Rather, wrap it in a function and centralize all the functions in a file called something really obvious (e.g., “queries.py”). A line like users = load_users() , for example, is infinitely easier to read than users = db.query(“SELECT username, foo, bar from users LIMIT 10 ORDER BY ID”). This type of centralization also makes it much easier to have consistent style in your queries, and limits the number of places to go to change the queries should the schema change.

Other Common Libraries and Tools to Consider Leveraging

  • Queuing or Pub/Sub Services. Take your pick of AMQP providers, ZeroMQ, RabbitMQ, Amazon SQS
  • Storage. Amazon S3, Google Cloud Storage
  • Monitoring: Graphite/Hosted Graphite, AWS Cloud Watch, New Relic
  • Log Collection / Aggregation. Loggly, Splunk

Auto Scaling

  • Auto Scaling. Heroku, AWS Beanstalk, AppEngine, AWS Opsworks, Digital Ocean

Commandment #5: Don’t Cross the Streams!

There are many good models for programming design, pub/sub, actors, MVC etc. Choose whichever you like best, and stick to it. Different kinds of logic dealing with different kinds of data should be physically isolated in the codebase (again, this separation of concerns concept and reducing cognitive load on the future-reader). The code which updates your UI should be physically distinct from the code that calculates what goes into the UI, for example.

Commandment #6: When Possible, Let the Computer Do the Work

If the compiler can catch logical errors in your code and prevent either bad behavior, bugs, or outright crashes, we absolutely should take advantage of that. Of course, some languages have compilers that make this easier than others. Haskell, for example, has a famously strict compiler that results in programmers spending most of their effort just getting code to compile. Once it compiles though, “it just works”. For those of you who’ve either never written in a strongly typed functional language this may seem ridiculous or impossible, but don’t take my word for it. Seriously, click on some of these links, it’s absolutely possible to live in a world without runtime errors. And it really is that magical.

Admittedly, not every language has a compiler or a syntax that lends itself to much (or in some cases any!) compile-time checking. For those that don’t, take a few minutes to research what optional strictness checks you can enable in your project and evaluate if they make sense for you. A short, non-comprehensive list of some common ones I’ve used lately for languages with lenient runtimes include:

Conclusion

This is by no means an exhaustive or the perfect list of commandments for producing “good” (i.e., easily maintainable) code. That said, if every codebase I ever had to pick up in the future followed even half of the concepts in this list, I will have many fewer gray hairs and might even be able to add an extra five years on the end of my life. And I’ll certainly find work more enjoyable and less stressful.https://en.wikipedia.org/wiki/CAP_theorem


Further Reading on the Toptal Engineering Blog:

Comments

Ron Barak
Excellent. Besides recapping most common wisdom, some new knowledge as well. Kudos. Erratum: naively think,”sure, but nobody -> naively think,” sure, but nobody
Ron Barak
Excellent. Besides recapping most common wisdom, some new knowledge as well. Kudos. Erratum: naively think,”sure, but nobody -> naively think,” sure, but nobody
Gel
great read. thanks
Gel
great read. thanks
Lê Anh Quân
Wonderful article, I want to kiss you already. Sharing this to my friends. Great thanks
Lê Anh Quân
Wonderful article, I want to kiss you already. Sharing this to my friends. Great thanks
Ermand Duro
Really great article. Thanks a lot Zachary :)
Ermand Duro
Really great article. Thanks a lot Zachary :)
Adil
Nice article but where is practicality? The first thing corporations do is to reduce your salary or outright fire you if someone else can maintain your code.! Just look at billing rate of SAP professionals or Oracle admin or Portal developers.! Their task is mundane most of the time but they charge huge premium nonetheless. Why? Simply because these big houses never document things properly.! It is their business model.! And look at open source. Productivity is far higher than proprietary softwares but how many corporations try to hire better engineers? Or even donate anything to foundation? Or share back any codebase with them? From my experience software is only as good as Architect and most of the time architect tends to be management.! Needless to say they rush to outsourcing to reduce cost on paper. But look at obamacare website.! $5 billion for a website? Only thing matters is that code should be enhanceable. It can be as simple as upgrading language version to adding new functionalities. But I have seen most struggle with even mundane task like upgrading language version.! Good code may matter only when self starting a company. And good code should be small - one sprint for one microservice is very good benchmark. Anything bigger and you are into trouble. For this reason I am big fan of node js.
Adil
Nice article but where is practicality? The first thing corporations do is to reduce your salary or outright fire you if someone else can maintain your code.! Just look at billing rate of SAP professionals or Oracle admin or Portal developers.! Their task is mundane most of the time but they charge huge premium nonetheless. Why? Simply because these big houses never document things properly.! It is their business model.! And look at open source. Productivity is far higher than proprietary softwares but how many corporations try to hire better engineers? Or even donate anything to foundation? Or share back any codebase with them? From my experience software is only as good as Architect and most of the time architect tends to be management.! Needless to say they rush to outsourcing to reduce cost on paper. But look at obamacare website.! $5 billion for a website? Only thing matters is that code should be enhanceable. It can be as simple as upgrading language version to adding new functionalities. But I have seen most struggle with even mundane task like upgrading language version.! Good code may matter only when self starting a company. And good code should be small - one sprint for one microservice is very good benchmark. Anything bigger and you are into trouble. For this reason I am big fan of node js.
Carlos Soares
And then there are very big companies like where I'm at that are substituting all these software money-moguls like you mention by open-source or in-house solutions. ;-)
Carlos Soares
And then there are very big companies like where I'm at that are substituting all these software money-moguls like you mention by open-source or in-house solutions. ;-)
Flor Montanari
Excelent
Flor Montanari
Excelent
Lê Anh Quân
That's a very wrong way of thinking my friend, creating ugly code/product just so you reserve the right to stay maintain it? how backward! If you consider yourself as a maintainer, then keep on doing that, I imagine you will hardly create any thing new because you are too busy fixing/debugging your old work. Creating good code is not just a decision, it requires a lot of thinking, practicing, and time, and once you can do it, man, money will grow exponentially. Anyway, I have many friends who really want to create good code but failed to do so, then they have to stay and maintain their code, which seems never can fully satisfy customers. They dream of moving on, creating better thing. And now I have you, decide to stay back with old/ugly code, and occasionally create something new, just as ugly.
Lê Anh Quân
That's a very wrong way of thinking my friend, creating ugly code/product just so you reserve the right to stay maintain it? how backward! If you consider yourself as a maintainer, then keep on doing that, I imagine you will hardly create any thing new because you are too busy fixing/debugging your old work. Creating good code is not just a decision, it requires a lot of thinking, practicing, and time, and once you can do it, man, money will grow exponentially. Anyway, I have many friends who really want to create good code but failed to do so, then they have to stay and maintain their code, which seems never can fully satisfy customers. They dream of moving on, creating better thing. And now I have you, decide to stay back with old/ugly code, and occasionally create something new, just as ugly.
Adil
Sorry. I have worked for nearly 17 years into IT and have seen better. To begin with managers just want to inflate budget to save their own position. They will vendor into ibm portal or ESB even when it is not a good match and then they will spend huge sums to hire very primitive developers for these kind of technologies. It is say in many large companies and huge govt dept - nobody gets fired for hiring IBM. I think same goes for oracle and other big guys. And soon costs spiral out of control and they rush to outsourcing even though it severely stalls any creativity.! I have seen risk software that didn't report risk even though it was captured thanks to stupid outsourcing where they ended up employing 10 times more resources than required.! And this big bank ended up loosing more than a billion.! I have seen point of sale system consuming nearly billion in 10 years and yet sales associate had to write bills using pen and paper.! Recently I landed up great job that paid me more than twice for the same position within same company. And they asked me to create team who will work on similar technology profile as me. After two years when they felt confident that others I trained can handle most task, they asked me to take 50% salary cut or leave.! I left. And I have already said that good code matters only in startup. Corporate world is corrupt beyond anything - both private and govt. Have you not seen overtones in banking and financial sectors? Why they have to work so long if they are all good? And firms have come up with innovate approach - billing per day instead of per hour to skirt overtime pay law in nyc.!
Adil
Sorry. I have worked for nearly 17 years into IT and have seen better. To begin with managers just want to inflate budget to save their own position. They will vendor into ibm portal or ESB even when it is not a good match and then they will spend huge sums to hire very primitive developers for these kind of technologies. It is say in many large companies and huge govt dept - nobody gets fired for hiring IBM. I think same goes for oracle and other big guys. And soon costs spiral out of control and they rush to outsourcing even though it severely stalls any creativity.! I have seen risk software that didn't report risk even though it was captured thanks to stupid outsourcing where they ended up employing 10 times more resources than required.! And this big bank ended up loosing more than a billion.! I have seen point of sale system consuming nearly billion in 10 years and yet sales associate had to write bills using pen and paper.! Recently I landed up great job that paid me more than twice for the same position within same company. And they asked me to create team who will work on similar technology profile as me. After two years when they felt confident that others I trained can handle most task, they asked me to take 50% salary cut or leave.! I left. And I have already said that good code matters only in startup. Corporate world is corrupt beyond anything - both private and govt. Have you not seen overtones in banking and financial sectors? Why they have to work so long if they are all good? And firms have come up with innovate approach - billing per day instead of per hour to skirt overtime pay law in nyc.!
Lê Anh Quân
Hi Adil, I am sorry for your lost, I do know how it feel being discarded when no longer needed, I myself have been through this before. But that's life, it's cruel as well as natural, and being an employee, I myself have ditched some of my employers as the contracts no longer satisfy my need and ambition. So in this matter, the relationship is 2 sided. Simply, we cannot keep our position and salary just by keeping our own secret, or doing mysterious things so that we are irreplaceable? That's just so unethical. I'd like to think like this: let's work together when the relationship is beneficial for both sides, and say good bye when it is not. You just can't blame your employer when he cut you out. He is responsible for doing the best thing for the company, and if he fails to do it, and the company is less competitive and lose in this cruel market, then all will be out! not only you and your manager, but also your mysterious product, and the whole company. Life is cruel, you just have to be more cruel
Lê Anh Quân
Hi Adil, I am sorry for your lost, I do know how it feel being discarded when no longer needed, I myself have been through this before. But that's life, it's cruel as well as natural, and being an employee, I myself have ditched some of my employers as the contracts no longer satisfy my need and ambition. So in this matter, the relationship is 2 sided. Simply, we cannot keep our position and salary just by keeping our own secret, or doing mysterious things so that we are irreplaceable? That's just so unethical. I'd like to think like this: let's work together when the relationship is beneficial for both sides, and say good bye when it is not. You just can't blame your employer when he cut you out. He is responsible for doing the best thing for the company, and if he fails to do it, and the company is less competitive and lose in this cruel market, then all will be out! not only you and your manager, but also your mysterious product, and the whole company. Life is cruel, you just have to be more cruel
Adil
No. I didn't loose. Indians are like that. When I was in usa I could demand and get even higher pay and I used to get it. 5 person working for 6 months and I was asked to bail out project in a month. And I did that. And I asked $20 per hour more and I got that.! Unfortunately green card is hard and I never settled for ones who demanded nearly half of my earning for sponsoring green card.! And thus I had to return after 6 years. Btw, this company has landed in soup again with $2 million dollar client and they are asking me if I can come back. I have asked for 2.5 times more than what I was making before ie about $150k pa.! Currently I am on only $45k pa. Btw, since I am working on my own company now I am not very keen on joining back. Big companies have patents and copyright to safeguard their assets. Employees have none. So it is hard lesson I learned - never train lower paid employees when you are working for a company. I am talking about technical training. For KT I don't have issue as that is part of employment contract. Of course, technical training is expensive and I should never have trained others technically. If they like let them pay effective trainers that are very hard to get.
Adil
No. I didn't loose. Indians are like that. When I was in usa I could demand and get even higher pay and I used to get it. 5 person working for 6 months and I was asked to bail out project in a month. And I did that. And I asked $20 per hour more and I got that.! Unfortunately green card is hard and I never settled for ones who demanded nearly half of my earning for sponsoring green card.! And thus I had to return after 6 years. Btw, this company has landed in soup again with $2 million dollar client and they are asking me if I can come back. I have asked for 2.5 times more than what I was making before ie about $150k pa.! Currently I am on only $45k pa. Btw, since I am working on my own company now I am not very keen on joining back. Big companies have patents and copyright to safeguard their assets. Employees have none. So it is hard lesson I learned - never train lower paid employees when you are working for a company. I am talking about technical training. For KT I don't have issue as that is part of employment contract. Of course, technical training is expensive and I should never have trained others technically. If they like let them pay effective trainers that are very hard to get.
Lê Anh Quân
I am glad that you are successful with your career now, But I am afraid that we are going a bit far from the original topic. Yes, I agree with you that we shouldn't do technical training unless the payment is high enough, training other people will slow us down, block our vision and sometimes make us go backward, needless to say it will make us feel over-confident even when we are not that good. Back to the main topic, the healthy way to advance in life and career is not by making ugly code, but by keeping balance: do good for the employer/company, and do good for our future, and trying to write better code is not very far from that purpose. Thanks and have a happy life my friend.
Lê Anh Quân
I am glad that you are successful with your career now, But I am afraid that we are going a bit far from the original topic. Yes, I agree with you that we shouldn't do technical training unless the payment is high enough, training other people will slow us down, block our vision and sometimes make us go backward, needless to say it will make us feel over-confident even when we are not that good. Back to the main topic, the healthy way to advance in life and career is not by making ugly code, but by keeping balance: do good for the employer/company, and do good for our future, and trying to write better code is not very far from that purpose. Thanks and have a happy life my friend.
Adil
Also, you talk about only cost. IT has become so corrupt because there is no way to measure productivity. I ask more because I know my productivity is very high.
Adil
Also, you talk about only cost. IT has become so corrupt because there is no way to measure productivity. I ask more because I know my productivity is very high.
Adil
My lesson to others is don't be Scott Forstall in life.! He was the most critical factor in iOS and thus Apple success but was kicked out by stupid uninspiring manager unceremoniously.!
Adil
My lesson to others is don't be Scott Forstall in life.! He was the most critical factor in iOS and thus Apple success but was kicked out by stupid uninspiring manager unceremoniously.!
Matheus Schettino
Actually, a better option for a NoSQL database is RethinkDB. (https://rethinkdb.com/)
Matheus Schettino
Actually, a better option for a NoSQL database is RethinkDB. (https://rethinkdb.com/)
Rakesh mohanta
Great writeup!
Rakesh mohanta
Great writeup!
Steve
Love this!
Steve
Love this!
Martin Iwanowski
Not anymore, RIP.
Martin Iwanowski
Not anymore, RIP.
vitomd
This reminds me to the Clean Code book it has a similar theme, with a lot of practical tips to improve your code. I highly recommend it
vitomd
This reminds me to the Clean Code book it has a similar theme, with a lot of practical tips to improve your code. I highly recommend it
comments powered by Disqus