Documentation: A sTale As Old As Time

Documentation: it is the key to our tools. It has enabled us to evolve from coding into the prominent engineers on the planet. Documentation is slow, normally taking as much, if not more, time than the development itself. But every few hundred commits, development leaps forward – leaving documentation behind.

Professor Xavier, X-Men (if he were a software engineer rather than a mutant geneticist)

There is a war brewing; between those who put their faith in the documentation and those who fear the prophecies the staleness to come.

Documentation: Self-Documenting or Well-Documented

Do you think the thorough and comprehensive documentation of your project is enough to understand how to interact with it?

Do you think your code is so clean and intuitive that anyone can interface with it?

Everyone is wrong, and those who value tribal knowledge are toeing the line of true evil – but let’s leave them in the hole that they are digging for themselves. Every project starts with aspirations of perfection and standards of quality; admirable but completely unrealistic and unattainable.

Stale documentation absolutely will happen to your project. There is no way that documentation can be maintained at the same level and speed as the features and bug fixes – deadlines and goals change, small bits slip through the cracks. When it comes to documentation, words are nothing but representations of abstract ideas that no two people perceive in the same manner. No matter how thorough or complete you feel your documentation is, there will be those who do not understand; the more thorough your documentation, the harder it is to maintain.

Code is logical, as well as the currently defined instruction set, making the concept of self-documenting code more appetizing. Yet, code is an art and interpreted by the individual, understood at different levels, and can appear to be absolute magic – and a magician never reveals their secret (hint: it’s a reflection). What is intuitive to me is not intuitive to you, and if we wrote code to be so intuitive and easy to pick up….. well we can’t. Even Blockly and Scratch, which are intended to introduce children to programming concepts, seem alien to many – then when you introduce concepts like Aspect-Oriented Programming and Monkey Patching, you have entered the realm most dare not.

So, yes, the documentation for your library, REST API or plugin will, at some point, fail. End of story.

Documentation or Self-Documenting - neither can guarantee full understanding to others.

Pitch the Stale Documentation, Having the Ripe Idea

Credit where credit is due, this concept was not of mine but of my best friend James. He had grown tired of outdated, incorrect, or flat-out misleading API documentation. Most documentation aggregation software collects information from conformingly formatted comments – JavaDoc, API Doc, C# XML – but comments are not meant to be ingested by the application they are describing and are often the first to be forgotten when there is a fire burning. We have accepted that Tests should not be a second-class citizen, Test Driven Development is a proven standard, and we should not accept documentation to be either.

There’s a motto amongst software engineers “never trust your input”; but all this validating, verifying, authenticating… it’s boring, I am lazy and why can’t it just validate itself and let me move on to the fun part?

To focus on the fun part, you have to automate the boring stuff.

Swagger is a specification for documenting REST APIs down to every detail: payload definitions, request specifications, conditional arguments, content-type, required permissions, return codes – everything. The best part? The specification is consumable. Swagger even includes a browseable user interface that describes every facet and even lets you interact with the server visually. Play with a live demo yourself.

In Douglas Adams’ Hitchhiker’s Guide to the Galaxy, the Magrathean’s designed and built a computer to provide the ultimate answer; the answer to Life, the Universe, and Everything. This computer’s name? Deep Thought. An apt name for a library that would handle the answer, as long as you handled the question. Our proof of concept, DeeptThought-Routing, accepted your Swagger JSON specification along with endpoint handlers and a permissions provider as parameters and generated a NodeJS router that would validate paths, payloads, permissions even parsing the request against the Content-Type header and transforming the handler output to the Accepts header MIME type – not to mention attempt to transform or coerce parameters to the specification data types; returning the appropriate HTTP response codes without invoking your handlers. You could trust your inputs, no validation, free to focus on the core of the project – the fun part.

DeepThought: Documentation Driven Development

Schema-First means you define the schema (or specification) for your code, then utilize tooling that generates the code that matches the definitions, constraints, and properties within your schema. Through DeepThought-Routing, we had proven the concept of self-validation. Swagger did the same for self-documenting. Code generation is a core concept to GraphQL and JSON-Schema lists language-specific tooling for code generation.

There’s a pattern to all of this, patterns can be automated. A spark appeared in my mind: “Instead of implicit meaning through validation of inputs and documentation of primitive data types – what if the meaning were explicit, and if the meaning is explicit, they could validate themselves!” That spark became an inferno of chaining the initial “what-if” to “if that, then we could…”. When the fire of inspiration slowly receded to glowing embers, what was left was an idea. An idea that could change how software development is approached, at least, how I would approach development: Documentation Driven Development.

The Goals for Documentation Driven Development:

  • Self-Documenting: Clean, human readable documentation generated directly from the schema
  • Self-Describing: Meta-datatypes that provide meaning to the underlying data through labels and units
  • Self-Validating: Generates data models that enforce the constraints defined in the schema
  • Self-Testing: Unit tests are generated to test against constraints in models and data structures
  • UseCase-Scaffolding: Generates the signature of the functions that interact with external interfaces, and interface with the domain of your application
  • Correctness-Validation: Validates the units/labels of input model parameters can yield the units/labels of the use case output
  • Language-Agnostic: Plugin-based system for generation of code and documentation

Obviously, this is a large undertaking and still in its infancy – but I can see the path that will bring Documentation Driven Development from abstract concept to reality.

Example Schema

Here is a simplified example of how to model a submersible craft with meaningful data fields and perform an action on the speed of the craft.

Units

id: fathom
name: Fathoms
description: A length measure usually referring to a depth.
label:
  single: fathom
  plural: fathoms
  symbol: fm
conversion:
  unit: meter
  conversion: 1.8288

Unit Validating Meta-Schema Specification: https://github.com/constructorfleet/Deepthought-Schema/blob/main/meta-schema/unit.meta.yaml

Compound Units

id: knot
name: Knot
description: The velocity of a nautical vessel
symbol: kn
unit:  # The below yields the equivalent of meter/second
  unit: meter
  dividedBy:
    unit: second  
# Example for showing the extensibility of compound units
id: gravitational_constant
name: Gravitational Constant Units
description: The units for G, the gravitational constant
label:
  single: meter^3 per (kilogram * second^2)
  plural: meters^3 per (kilogram * second^2)
  symbol: m^3/(kg*s^2)
unit:
  unit: meter
  exponent: 3
  dividedBy:
    group:
      unit: kilogram
      multipliedBy:
        unit: second
        exponent: 2

Compound Unit Validating Meta-Schema Specification: https://github.com/constructorfleet/Deepthought-Schema/blob/main/meta-schema/compound-units.meta.yaml

Fields

id: depth
name: Depth
description: The depth of the submersible
dataType: number
unit: fathom
constraints:
- minimum:        # Explicit unit conversion
    value: 0
    unit: fathom
- maximum: 100    # Implicit unit conversion
- precision: 0.1  # Implicit unit conversion

id: velocity
type: number
name: Nautical Speed
description: The velocity of the craft moving
unit: knot
constraints:
  - minimum: 0
  - maximum: 12

Field Validating Meta-Schema Specification: https://github.com/constructorfleet/Deepthought-Schema/blob/main/meta-schema/field.meta.yaml

Models

id: submersible
name: Submarine Craft
description: A craft that can move through an aquatic medium
fields:
  - depth
  - velocity

Use Cases

id: adjust_submersible_speed
name: Adjusts the nautical speed of the craft
input:
  - submersible
  - speed
output:
  - submersible

You Have Questions, I Have a Few Answers

What the heck is a meaningful meta-datatype?

Traditionally, a field’s specification is broad, abstract, or meaningless which leads to writing documentation that attempts to provide meaning to the consumer of the code. We know what an Integer, Float, Byte, String, etc. are – but these are just labels we apply to ways of storing and manipulating data. If the author provides sufficient information regarding the acceptable values, ranges, and edge case – there is still the matter of writing a slew of tests to ensure the fields lie within the specifications. Not to mention, hoping the documentation remains in line with the implementation as teams, features, and requirements change and grow.

While still using the same underlying storage and manipulations considered familiar across the landscape, fields in DeepThought attempt to remove the tediousness, prevent stale documentation, as well as describing what is. Each field specifies a code-friendly reference name, a human-readable meaningful name, description, constraints, coercive manipulations of the underlying data type – plus units if applicable.

What if I don’t want or need units?

That’s perfectly fine! Obviously, you will lose some of the validation that arises from your schema. Not to mention that unit-less scalars and unit-less physical constants are absolutely a thing, along with physical constants.

How can you validate “correctness” of the Use Cases?

When specifying Use Cases, Deepthought has no knowledge of your implementation. Be it a single method, a chain of methods – that is up to you. Specify the input models, and the output model – knowing you can trust that your input is valid, tested, and in the exact form that is expected. Through dimensional analysis, it is possible to determine if the output model’s units are possible given the input models’ units. If dimensionally correct, DeepThought will generate the scaffolded code for you to implement – if incorrect, you will know before you even start coding.

Follow the Progress of DeepThought

I welcome all input – positive, negative, suggestions, complaints. While I am building this for myself, it would bring me great pleasure to see this adopted by others.

Happy Fishes through Nature Automation

Nature Automation: Life’s Built-In Automation Engine

Humans have been bending nature to their whim since the dawn of civilization, and it is a full-time job for many keeping nature out of the way. Alan and I learned this firsthand over the course of the last year and wish to share the lessons we learned with others: trust Nature Automation and your aquatic pets will thank you.

A Cautionary Tale: Fighting Against Nature Automation

Admiral Shiny Sides and the His First Mate Tank

Admiral Shiny Side, sadly, passed away in the heat of battle during his 5th deployment after 16 years of loyal service; posthumously promoted to Fleet Admiral Shiny Sides. His first mate, Tank, failed to lead with the same authority and followed Admiral Shiny Sides not long after. Ensign Alan fought the lonely and uphill battle of maintaining the ship since its inception: swabbing the poop rocks, manning the main filters, and keeping the mess hall fully stocked.

Tank was assigned three new recruits upon the passing of Fleet Admiral Shiny Sides. Morale amongst the crew never recovered, even while the valiant Ensign Alan took on the task of making the long journey at sea as comfortable as possible. In the end, the effort to uphold the same standards proved fruitless. One by one they succumbed to the siren’s seductive song.

They will be missed.

If you’re confused, that’s understandable; Admiral Shiny Sides and his first mate were Alan’s goldfish for 16 years, which I, for one, had no idea they could live such long and fulfilling lives. Moving in marked their 5th home move, and it was just too much for these intrepid sailors – and nearly triggered the retirement of the battle-hardened S.S. Aquarium.

The Road to Recovery is Long and Hard

Taking care of fish can be a lot of work: vacuuming the waste, replacing filters, cleaning out algae, addressing illness, and feeding. The aquarium was always Alan’s project, and provided a very clear indication of his general mood; when stressed or overburdened, the aquarium maintenance would be put on hold and only further the level of stress he experienced. The loss of our fish was conflicting, we loved our pets but the effort to maintain the equilibrium violated the prime directive of laziness that permeates our existence.

We decided to start over. After lots of research, we drained the aquarium, replaced the gravel, and focused on keeping some aquarium plants alive before we put any more naval recruits in mortal danger. After 2 months, our plants were thriving and it was time to assign a new crew to the S.S. Aquarium – this time, we sought expert advice from the employees of Aquamart. One of their friendly staff taught us how to use the ecosystem through bio-filters and the right blend of aquatic species to be introduced slowly to implement nature automation.

The road to recovery is far from a linear journey. We did lose a few recruits along the way, but such is life – there’s no guarantee any of us, animals included, will live long and healthy lives. These losses were very hard for us animal lovers, but we know we did our best. The first live fish we introduced were a few Corydoras, these are small, bottom-feeder, freshwater catfish – unfortunately for them, the tank was not quite as stable as we thought, and we ended up losing all three of them. Their loss was not in vain. Researching their symptoms and what solutions were available, we switched to SeaChem for, essentially, all of our aquarium treatments. We have suffered other losses, but only to those fish we ordered online and perished in transport.

Our aquarium is a thriving ecosystem now, requiring only basic maintenance. Gone are the evenings dedicated to 3-4 hours of tending to the aquarium. We devote around 20 minutes every few weeks to replenishing water that has evaporated and rinsing off the bio-filters. We do add some chemicals every so often: plant food, liquid CO2, stress-reducers – but we do so while we are admiring our beautiful fish. Thriving so well, we discovered we accidentally purchased two female guppies when we came home from vacation to around 12 tiny baby fantails that are now starting to show their colors!

Why Did We Succeed Where We Failed Before

Fleet Admiral Shiny Sides, Tank, and their crew were very dirty. Goldfish are prone to polluting their tank with nitrates and ammonia. Choosing the appropriate species helps reduce toxins and waste present in your underwater ecosystem. In addition to reducing the pollutants, these aquarium fish are much more active and colorful, creating living art that we love to admire daily.

Algae are actually bacteria that contain chlorophyll and require many of the same resources that are consumed by plants. Originally we planted plastic and silicone plants in our aquarium; by planting living plants there are little-to-no resources left for algae to consume. Common sense right? Except, it’s not. It’s amazing how many people, including ourselves, are willing to dedicate hours every month cleaning and removing algae from their water-dwelling pets’ homes.

Carbon filters are a complete waste of time and money – bio-filters promote healthy bacteria and reduce harmful bacteria. Sure, carbon filters remove solid waste and help cleanse the water, but fish, like humans, do not live in a hermetically sealed environment. You can purchase a bio-wheel filter from most pet stores, however, we discovered them to be fragile and ineffective. As our helpful Aquamart employee explained, utilizing bio-media rocks to remove ammonia, nitrites, and nitrates from our aquarium, Purigen to promote healthy bacteria, and a little filter media to filter out the solid waste was the most cost-effective and time-efficient solution.

In addition, we installed an under gravel filter, to help keep any particulate matter from clouding the tank. The fish actually love these, swimming through the bubbles to get a little morning swim in before a hard day’s work. Don’t fight it, let nature automation in!

See For Yourself

We are so proud of how far we have come and how beautiful our aquarium is that we wanted to share it with the world. Please feel free to watch the live stream of our aquarium here: https://aquarium.prettybaked.com.

The Current Crew of the S.S. Aquarium

Using Nature Automation, happy aquarium fish swim through a thriving ecosystem.

Fan Tailed Guppies

Neon Blue Guppy: Tropical Fish for Freshwater Aquariums
Blue/Green Fan Tail Guppy
Orange/Red Fan Tail Guppy

Cory Catfish

Bandit Cory
Spotted Cory

Gourami

Opaline Gourami
Marbled Gourami
Dwarf Flame Gourami
Pearl Gourami
Dwarf Sunset Gourami

Sharks

Rainbow Shark

Algae Eaters

Siamese Algae Eater

Unsung Heroes of Forums

Here’s to those who provide closure

I don’t even need to ask if you’ve been there, I know you have, we all have. So, let’s take a moment and give thanks to those amazing human beings that, even though they solved their own issue, took the time to provide the solution and especially those who can explain how they arrived there! We solute you: the Heroes of Forums!

Our Complete Network Overhaul

We had been having issues with our network: some spotty WiFi, laggy connections, etc. When the ethernet cable that runs from the server rack, around the basement, through the office ceiling, around the living room baseboard to the 8-port switch under our television – providing the oh-so-necessary bandwidth for 150Mbps of uncompressed mindblowing video and 7.2 Atmos surround sound – had an embolism. Yes, the ethernet cord just croaked. We tested the wall jacks, replaced them, tested the terminal ends, tried new last-mile cables… the cable tester showed a short between pins 1 and 2, confirmed with the multimeter. This is not a cable you can replace with a fish tape – disappearing into finished ceilings, running through walls. Let’s just say, we were pretty pissed.

We had new network gear sitting around for about a month now, procrastinating the installation as we knew it was going to be frustration, or at minimum a full day’s undertaking. With the network issues and our most precious of Cat6 runs dead, there really wasn’t much excuse not to. So, yesterday, we yanked the EdgeSwitch 48, EdgeSwitch 16 POE, the pFSense box, the who-knows-how-old dell connect switch, and similarly aged Linksys switch and racked up our new UniFi Switch 48, UniFi Switch 24, UniFi Switch 8 POEs, and the neat (in theory) UniFi Dream Machine Pro. While my partner was running the new Cat6 cables in the cabinet, I set to running 1/2″ raceway from the server rack out to the living room on the ceiling so we can get our 4K fix – when I hear cursing from the basement.

Turns out one of our storage nodes decided to report degraded disks. I’m not 100% sure on what the issue is or how he resolved it – I know very little of CephFS and didn’t want to distract from his repair work. So I cleaned up a bit around the house until the issue was resolved… but wouldn’t you know it – yeah, yesterday was a game of whack-a-mole-tech-problems – now that the storage array was back online, none of the machines could mount the volumes. Exhausted, pissed, frustrated, and pretty much falling asleep – he decides to give up for the night and wants to watch a movie. After mixing up some delicious Moscow Mules, he passes out 4 minutes into the movie but I’m wide awake.

Enter Teagan, P.I.

There were a million possible causes for the volumes failing to mount. My first hunch was the firewall, though before he gave up my partner listed numerous networking services (that I’d never heard of before) that the UniFi Dream Machine might be blocking. Our storage array consists of 4 nodes, 3 of which are fairly new, 12 bay, 16 core beasts but the other one, the same one that reported errors earlier, is a tiny little 1U box that is attached via SAS to a dumb disk shelf (CEPH01) – in fact, it only has 2Gbps ethernet while the others have 4 Gbps. Knowing this is important to understanding the first hypothesis: journalctl reported connecting to CEPH02 but losing connection and attempting CEPH01 followed by the connection timing out completely. Seems reasonable to assume CEPH01 was causing the timeout. So, I did the cabling, redid the LAGG assignments on the switches, reset the router – nothing.

Ok, so having little knowledge of CephFS – I needed to know what might be causing timeouts when mounting the remote volumes. To the Google! Here’s the thing though: the UniFi Dream Machine is fairly new, CephFS is a little niche, and combining the two? Forget it! From around 5am to almost 9am I searched for something, anything! Sure I got a few hits that seemed possible – but ended up going down rabbit holes. Then, at 8:48am (had to check my browser history), I stumble onto this post:

https://forum.proxmox.com/threads/laggy-ceph-status-and-got-timeout-in-proxmox-gui.50118

ftrojahn‘s description sounded nearly identical – except his stack is different; ProxMox not too long ago added native CephFS support to their software – if you want some experience with a decent piece of virtualization software and enterprise-level storage solution I would definitely recommend you check it out. ftrojahn not only explained the setup, issues, and attempts to diagnose the cause very well, did what few out there dare (care):

The Heroes We Need, and Deserve

It was an issue with mismatched MTU size! Do you know why this never crossed my mind? Because of this little toggle right here on the UDMPRO’s web interface:

Forum Heroes Light the Path - Mismatched Jumbo Frames caused by a toggle switch
Jumbo Frames traditionally set MTU to 9000

First, why do we care about MTU size – the default for most systems is 1500. By increasing the size of the frames, we reduce the number of packets being sent over the wire, as well as drastically reducing the ridiculous amounts of handshakes that happen between transmit and receive (if you are unfamiliar, here’s a link describing TCP handshakes). This is especially beneficial when you have terabytes of data flying around your network 24/7 like we do.

Yes, the Y-Axis has units of GB (Yes, Gigabytes!)

Ok, so Jumbo Frames are enabled, which should be 9000 – every host on our network has the MTU set to 9000 by default. Why is there still this timeout issue?

Well, I had luckily glanced at this post many hours earlier – notice the last comment, here’s the key piece:

Unfortunately, on newer Gen 2 devices, Jumbo Frames appear to be only 8184 bytes

https://community.ui.com/questions/When-you-enable-jumbo-frames-on-UDM-Pro-what-MTU-value-is-it-setting/04ceb4ec-aa5f-434d-abb3-2a14f3f6e1ed

Now, this little tidbit seems to be missing from any of the documentation I could find, so phastier you are a hero, we deserve more heroes in forums! The final challenge came down to the question: what the fuck do I do now? I love my partner, he has taught me so much about Linux, networking, DevOps – I wanted to show him all that knowledge has not gone to waste.

Making the UDMPRO My Bitch

It was time to learn what the hell MTUs really were and if any of the options on the web interface could help me. I found one: MSS Clamping – this sets the maximum segment size for TCP packets, maybe? HAHAHA NOPE! MSS tops out at 1452 – a little shy of the necessary 9000 (minus headers). Ok… time to get my hands dirty. The web interface isn’t the only way to configure this hunk of metal; in the past, my partner has made changes via SSH that are not available via the user interface. Since this device is a router and then some, I found it had 45 network interfaces – VLANs, bridges, loops, etc. While setting the MTU I found setting the MTU for the network interface is actually fairly easy: ip link set mtu 4096 dev eth0 I wasn’t about to run that command 45 times. Thankfully, /sys/class/net has an easily parsable list of the interface names.

ls -1 /sys/class/net | while read line ; do ip link set mtu 9000 dev $line ; done

With that one line, there was peace in the world… Ok not really but I was so proud of finding this solution I just had to wake him up to share the good news…