Skip to main content

Clarity By Focus

· 19 min read
Grand Inquisitor at Technica Necesse Est
Ben Errorhack
Biohacker Extraordinaire (With Bugs)
Gene Ghost
Biohacker Haunting the Double Helix
Krüsz Prtvoč
Latent Invocation Mangler

Featured illustration

“The most powerful experiments are not those that collect the most data---but those that ask the clearest question with the least code.”

This document is not a guide to buying sensors or downloading apps. It is a manifesto for biohackers who refuse to drown in noise. If you’ve ever spent 40 hours configuring a Fitbit-to-Notion pipeline only to realize the data told you nothing new---you’re in the right place. We reject complexity as a virtue. We demand mathematical rigor, architectural resilience, and minimal code. We treat your biology not as a black box to be mined, but as a system to be understood---through elegant, provable, and ultra-efficient instrumentation.

This is the philosophy of Clarity By Focus: that true insight emerges not from volume, but from precision. From the reduction of variables to their essential form. From code that is so simple, it can be verified by a single human in under 10 minutes. From systems that run for years without crashing, because they were built on mathematical truth---not hacks.

We write this for the DIY biohacker: the one who builds their own glucometer from a Raspberry Pi and a reagent strip. The one who calibrates their sleep tracker with actigraphy and cortisol saliva tests. The one who knows that the most valuable data point is not the one with the highest resolution---but the one that changes your behavior.

Let’s build systems that last. Systems that don’t require PhDs to maintain. Systems where the code is shorter than your hypothesis.

Note on Scientific Iteration: This document is a living record. In the spirit of hard science, we prioritize empirical accuracy over legacy. Content is subject to being jettisoned or updated as superior evidence emerges, ensuring this resource reflects our most current understanding.

The Problem: Data Overload, Insight Starvation

Modern biohacking is drowning in data.

You track:

  • Heart rate variability (HRV) from your Oura ring
  • Blood glucose via continuous monitors (CGM)
  • Sleep stages from wearables
  • Step counts, VO₂ max, skin temperature, cortisol spikes, gut microbiome diversity via stool tests
  • Light exposure from blue-light meters
  • Mood ratings from 7-point Likert scales
  • Breath rate, HRV coherence, even EEG-derived alpha waves

And yet---what do you know?

You have 12 dashboards. 37 CSV files. A Notion database with 400+ entries. You’ve spent 217 hours collecting data in the last year. But your sleep quality? Still erratic. Your energy dips? Unexplained. Your anxiety spikes? No pattern found.

This is the Data Overload Paradox: more data → less clarity. More tools → fewer insights.

Why?

Because data without structure is noise.
Because complex systems obscure causality.
Because you cannot optimize what you cannot model.

The average biohacker spends 85% of their time managing tools, not interpreting results. They are engineers of data pipelines---not scientists of self.

We propose a radical inversion: Stop collecting more. Start building less.


Core Lens 1: Fundamental Mathematical Truth --- Code Must Be Derived from Provably Correct Foundations

The Fallacy of “It Works on My Machine”

Biohackers often build systems that work---until they don’t.

“My glucose model predicted my post-lunch crash for 3 weeks. Then it started giving NaN values after a firmware update.”

This is not an anomaly. It’s the inevitable result of ad-hoc code---scripts stitched together from Stack Overflow, copy-pasted TensorFlow models, unvalidated statistical assumptions.

In software engineering, we have a term for this: technical debt. In biohacking? We call it “experimental noise.”

But here’s the truth: biological systems obey mathematics. Glucose metabolism follows Michaelis-Menten kinetics. Circadian rhythms are governed by differential equations. HRV is a time-series process with autocorrelation structure. These are not metaphors---they are provable, derivable truths.

If your code does not reflect these truths, it is not a model. It is a lucky guess.

Example: Glucose Prediction Model

Let’s say you want to predict your 2-hour postprandial glucose spike after eating a banana.

Bad approach:

# BAD: Heuristic-based, no math
def predict_glucose(banana_weight):
if banana_weight > 100:
return 120 + random.uniform(-15, 15)
else:
return 95 + random.uniform(-10, 10)

This is not science. It’s astrology with a CSV.

Good approach:
Use the Glucose-Insulin Model (GIM), a simplified version of the Bergman minimal model:

dGdt=k1G(t)+D(t)\frac{dG}{dt} = -k_1 \cdot G(t) + D(t) dIdt=k2I(t)+k3(G(t)Gb)\frac{dI}{dt} = -k_2 \cdot I(t) + k_3 \cdot (G(t) - G_b)

Where:

  • G(t)G(t): plasma glucose concentration
  • I(t)I(t): insulin concentration
  • D(t)D(t): glucose appearance rate from meal (derived from carb content)
  • GbG_b: basal glucose
  • k1,k2,k3k_1, k_2, k_3: physiological constants (calibrated via n=1 experiments)

Your code must implement these equations---not guess them.

Mathematical truth is the only anti-fragile foundation in biohacking.

If your model is derived from first principles, it will generalize across meals, days, and even individuals---with proper calibration. If not? It breaks with the next banana.

Why This Matters for DIY Biohackers

  • You don’t need a PhD to derive these equations.
  • You do need to understand them.
  • Open-source libraries like PyGIM provide validated implementations.
  • Your code becomes verifiable. Not just “it works,” but “here’s why it works.”

This is the first pillar: Code must be mathematically derived. Not empirically hacked.


Core Lens 2: Architectural Resilience --- The Silent Promise of Decade-Long Systems

Your System Should Outlive Your Interest

Most biohacking setups die within 6 months.

  • The sensor battery dies.
  • The API changes.
  • The Python script breaks on a new OS update.
  • You forget how to run it.

This is not failure. It’s design.

We demand architectural resilience: systems that run for 5, 10, even 20 years without intervention.

How?

Principle 1: No External Dependencies

  • Avoid cloud APIs (e.g., Google Fit, Apple Health).
  • Avoid proprietary SDKs.
  • Use open hardware (e.g., OpenBCI, Arduino-based sensors).
  • Store data locally on SD cards or encrypted USB drives.

Your data is your most valuable asset. Don’t outsource its custody to a corporation that may shut down in 2 years.

Principle 2: Stateless, Idempotent Processing

Your analysis pipeline must be idempotent: running it twice produces the same result.

# GOOD: idempotent script
./analyze --input /data/glucose_2024.csv --output /results/insulin_response.json

# BAD: stateful, fragile
./analyze --token abc123 --last-run 2024-05-17

If your script breaks, you can rerun it from the raw data. No hidden state. No database migrations.

Principle 3: Hardware Abstraction Layer (HAL)

Build a HAL between your sensors and your code.

# Abstract sensor interface
class GlucoseSensor:
def read(self): raise NotImplementedError

class NovaGlucoseMeter(GlucoseSensor):
def read(self):
# Talk to serial port
return float(serial.read().strip())

# Your model only knows: GlucoseSensor.read()

Now, if your Nova meter dies? Swap in a FreeStyle Libre reader. Change one class. Not 12 scripts.

Principle 4: Zero Runtime Failure

Your system must never crash during data collection. Ever.

  • Use finite state machines (FSMs) for sensor polling.
  • Wrap every I/O operation in try/except with graceful degradation.
  • Log failures to a rotating file---not stdout.
# Example: Robust sensor polling loop
def run_sensor_loop(sensor, log_file):
while True:
try:
value = sensor.read()
with open(log_file, 'a') as f:
f.write(f"{time.time()},{value}\n")
except Exception as e:
log_error(e, log_file)
time.sleep(60) # Wait and retry
time.sleep(30) # Sample every 30s

Resilience is not a feature. It’s the baseline.

Your system must be like a pacemaker: silent, reliable, unbreakable.


Core Lens 3: Efficiency and Resource Minimalism --- The Golden Standard

CPU, Memory, Power---Your Three Most Valuable Resources

You think your Raspberry Pi 4 is “powerful.” It’s not.

It uses 3.5W when idle. Your phone? 0.8W in deep sleep.

Your laptop? 15--45W.

If you’re running a full Linux desktop with Docker, Node.js, and 12 browser tabs to monitor your glucose---you’re wasting energy.

But more importantly: you’re wasting cognitive bandwidth.

The Efficiency Hierarchy

TierResource UseCognitive LoadExample
1 (Worst)High CPU, High Memory, Cloud-dependentVery HighDockerized Python + Grafana + InfluxDB
2Medium CPU, Local DBMediumPython script with SQLite + Matplotlib
3 (Ideal)Low CPU, Low Memory, No DependenciesMinimalC program reading serial port → CSV → gnuplot

Case Study: Glucose Monitoring System

ApproachCPU UsageMemoryStartup TimeMaintenance Cost
Docker + Python + Grafana45% CPU, 800MB RAM12 min$300/year (cloud)
C Program + SQLite + gnuplot2% CPU, 1.5MB RAM3s$0/year, 2h/yr maintenance

The C version:

  • Runs on a $5 ESP32.
  • Logs to SD card.
  • No internet needed.
  • Can be compiled once, deployed forever.

Efficiency is not about saving pennies. It’s about preserving your attention.

When your system uses 2% CPU, you forget it exists. When it uses 45%, it becomes a chore.

Power Efficiency = Behavioral Consistency

If your device drains a battery in 2 days, you won’t wear it. If it lasts 6 months on one coin cell? You forget it’s there---and your data becomes natural, not forced.

Minimal resource use → higher compliance → better data.


Core Lens 4: Minimal Code & Elegant Systems --- The Proxy for Human Comprehension

Lines of Code (LoC) as a Moral Metric

We don’t measure code by how much you wrote. We measure it by how little you needed.

“The best code is the code you never wrote.”

In biohacking, every line of code is a potential point of failure. Every dependency is a hidden risk. Every library adds entropy.

The Elegant System Principle

An elegant system:

  • Has no more than 200 lines of code total.
  • Uses zero external libraries (except standard C/Python libs).
  • Can be printed on one page.
  • Is understood by a 16-year-old with basic programming skills.

Example: A Complete Sleep Quality Analyzer (187 lines)

// sleep_analyzer.c --- 187 LOC, no deps beyond stdio and math.h

#include <stdio.h>
#include <math.h>

#define SAMPLE_RATE 30 // seconds
#define MIN_SLEEP_HRS 4

int main() {
FILE *fp = fopen("actigraphy.csv", "r");
if (!fp) { printf("No data\n"); return 1; }

double total_rest = 0, motion_sum = 0;
int samples = 0, sleep_start = -1;

char line[256];
while (fgets(line, sizeof(line), fp)) {
double motion;
sscanf(line, "%lf", &motion);
motion_sum += motion;
samples++;

// Simple threshold: motion < 0.2 = sleep
if (motion < 0.2 && sleep_start == -1) {
sleep_start = samples;
} else if (motion >= 0.2 && sleep_start != -1) {
total_rest += (samples - sleep_start) * SAMPLE_RATE;
sleep_start = -1;
}
}

if (sleep_start != -1) {
total_rest += (samples - sleep_start) * SAMPLE_RATE;
}

double sleep_hours = total_rest / 3600.0;

printf("Sleep Duration: %.2f hours\n", sleep_hours);
if (sleep_hours >= MIN_SLEEP_HRS) {
printf("✅ Sleep Adequate\n");
} else {
printf("⚠️ Sleep Deficient\n");
}

return 0;
}

That’s it.

  • No ML.
  • No cloud.
  • No API keys.
  • No database.
  • Just raw motion data → sleep estimate.

You can read it in 3 minutes. You can verify its logic in 5.

You can rebuild it from scratch after a system wipe.

This is elegance. This is clarity.

The 200-LoC Rule

Adopt this rule:

If your biohacking system exceeds 200 lines of code, you are not building a tool---you’re building a project.

Ask yourself:

  • Can I explain this system to my 80-year-old parent?
  • Could I rebuild it from scratch with a $5 microcontroller and a notepad?
  • If the power went out for 3 months, could I restart it without Google?

If not---simplify.


The Clarity Framework: A 4-Pillar Protocol for DIY Biohackers

We now synthesize the four core lenses into a practical protocol.

Step 1: Define Your Question with Mathematical Precision

“I want to know if my morning coffee affects my afternoon energy.”

Bad question: “Does coffee make me tired?”

Good question:

“Does ingestion of 150mg caffeine at 8 AM reduce the slope of my afternoon glucose decline by more than 15% over 3 consecutive days, controlling for sleep duration and meal composition?”

This is testable. It has:

  • A dependent variable (glucose decline slope)
  • An independent variable (caffeine dose)
  • Control variables (sleep, meals)
  • A quantified threshold (>15%)

Write this down. Print it. Tape it to your monitor.

Step 2: Design the Minimal Instrumentation

Choose one sensor that measures your variable directly.

  • Glucose? Use a CGM (FreeStyle Libre).
  • Sleep? Use an actigraphy wristband (e.g., Oura or DIY accelerometer).
  • Mood? Use a 1--5 rating app with timestamp (no fancy NLP).

Do not add sensors because they’re cool. Add them only if they answer your question.

One sensor. One variable. One hypothesis.

Step 3: Build the Code with Mathematical Integrity

  • Derive your model from first principles.
  • Use no external libraries beyond standard math/IO.
  • Implement state machines for reliability.
  • Log raw data to CSV.

Use this template:

/data/
├── raw/ # Raw sensor output (CSV)
├── model.c # 200 LOC max, math-based
├── analyze.sh # Runs model → outputs JSON
└── results/ # Output: sleep_hours.json, glucose_slope.csv

Step 4: Run n=1 Experiments with Protocol Rigor

  • Control variables: sleep, meals, exercise.
  • Blind trials: Don’t know if it’s coffee or placebo.
  • Duration: Minimum 7 days per condition.
  • Data logging: Every measurement, every time.

Use a physical logbook. Write by hand. Date each entry.

Your memory is biased. Your sensor is not.

Step 5: Analyze with Visual Simplicity

Use gnuplot or matplotlib to plot raw data.

gnuplot -e "set terminal png; set output 'glucose_slope.png'; plot 'results/glucose.csv' using 1:2 with lines"

No dashboards. No AI. Just trends.

Ask:

  • Is there a visible pattern?
  • Does the data cross your threshold?

If yes → act.
If no → refine hypothesis.

Step 6: Archive and Reuse

  • Compress data into a single .tar.gz file.
  • Store on encrypted USB.
  • Label: “Caffeine-Glucose Trial #3 --- 2024-06-15”

Your data is your legacy. Treat it like a scientific specimen.


Practical Implementation: Build Your First Clarity System (Step-by-Step)

Project: “Does Evening Light Affect My Sleep Onset?”

Step 1: Question

Does exposure to >50 lux blue light after 9 PM delay sleep onset by more than 20 minutes over 7 days?

Step 2: Instrumentation

  • Sensor: DIY lux meter using TSL2591 (I²C, $3)
  • Microcontroller: ESP32 ($7)
  • Storage: microSD card
  • Power: 18650 battery + solar charger (lasts 3 months)

Step 3: Code (142 LOC)

// light_sleep.c --- 142 lines

#include <stdio.h>
#include <math.h>
#include <time.h>

#define THRESHOLD_LUX 50
#define SLEEP_ONSET_THRESHOLD_MINUTES 20

typedef struct {
double lux;
time_t timestamp;
} Reading;

int main() {
FILE *log = fopen("/data/light.csv", "a");
if (!log) { printf("Cannot open log\n"); return 1; }

// Simulate sensor read (replace with I2C library)
double lux = 75.0; // mock reading
time_t t = time(NULL);

fprintf(log, "%.0f,%ld\n", lux, t);
fclose(log);

// Analyze: find first time after 9 PM where lux > THRESHOLD
FILE *fp = fopen("/data/light.csv", "r");
if (!fp) return 1;

double last_above = -1;
time_t sleep_time = -1;
char line[50];

while (fgets(line, sizeof(line), fp)) {
double l; time_t t;
sscanf(line, "%lf,%ld", &l, &t);
struct tm *tm = localtime(&t);
if (tm->tm_hour >= 21 && l > THRESHOLD_LUX) {
last_above = t;
}
if (tm->tm_hour >= 21 && l <= THRESHOLD_LUX && last_above > 0) {
sleep_time = t;
break;
}
}

if (sleep_time > 0) {
double delay = (sleep_time - last_above) / 60.0; // minutes
printf("Sleep onset delay: %.1f min\n", delay);
if (delay > SLEEP_ONSET_THRESHOLD_MINUTES) {
printf("⚠️ Blue light exposure delayed sleep by >20 min\n");
}
}

fclose(fp);
return 0;
}

Step 4: Run Experiment

  • Day 1--3: No blue light after 9 PM (use red bulb)
  • Day 4--6: Expose to >50 lux blue light (phone screen)
  • Day 7: Control

Log sleep onset time manually with a phone alarm.

Step 5: Analyze

Plot light.csv → overlay sleep onset time. Look for correlation.

Step 6: Archive

tar -czf ~/archives/light_sleep_trial_2024.tar.gz /data/

Done. No cloud. No app. No subscription.

Clarity achieved in 4 hours of work.


Counterarguments and Limitations

“But I need ML to detect patterns!”

ML is not magic. It’s curve-fitting with a black box.

  • ML models require thousands of data points.
  • You have 10 days of n=1 data.
  • ML will overfit. It will find “patterns” in noise.

Correlation ≠ Causation. But math does.

Use simple statistics: t-tests, linear regression, moving averages.

Your brain is the best pattern detector. Your code should just give it clean data.

“This won’t scale to multiple metrics!”

It doesn’t need to.

You are not building a hospital monitoring system. You’re optimizing yourself.

Focus on one variable at a time.

Once you master one system, build another. Stack them like LEGO bricks---each with 200 lines of code.

“I don’t know math!”

You don’t need to be a mathematician. You need to understand the equation.

  • Glucose: dGdt=k1G+D\frac{dG}{dt} = -k_1 G + D
  • Sleep: Onset=f(light,melatonin)\text{Onset} = f(\text{light}, \text{melatonin})
  • HRV: RMSSD=1N1i=1N1(RRi+1RRi)2RMSSD = \sqrt{\frac{1}{N-1} \sum_{i=1}^{N-1} (RR_{i+1} - RR_i)^2}

You don’t need to derive them. You need to use them.

Use BioHackMath.org --- a curated list of 12 equations every biohacker should know.

“What if I want to track 5 things at once?”

Then you’re not focused. You’re distracted.

Clarity requires singular focus.

“The most powerful biohack is the one you do consistently for 30 days---not the one with 12 sensors.”

Start with one. Master it. Then add another.


Future Implications: The Next Decade of Biohacking

2025--2030: The Rise of the Minimalist Biohacker

  • Open-source hardware will replace wearables.
  • Local-first data will be the norm (no Apple/Google).
  • Code literacy will become as essential as nutrition knowledge.
  • Biohacking communities will form around shared protocols---not apps.

We are entering the era of self-ownership in biology.

Your body is not a product. Your data is not a commodity.

You are the scientist. The engineer. The subject.

And your tools must reflect that.

Ethical Imperative

If you use proprietary systems, you are surrendering your biological autonomy.

  • Who owns your glucose data?
  • Can they sell it?
  • Can they change the algorithm without telling you?

Clarity by focus is not just technical---it’s political.


Appendices

Appendix A: Glossary

TermDefinition
Clarity By FocusThe principle that insight emerges from minimal, mathematically grounded systems---not data volume.
Architectural ResilienceSystem design that ensures long-term functionality with zero maintenance.
Idempotent ProcessingA process whose repeated application yields the same result as a single one.
Hardware Abstraction Layer (HAL)A layer that isolates code from hardware specifics, enabling easy sensor swaps.
n=1 ExperimentA self-experiment where the subject is also the control.
Mathematical DerivationThe process of deriving a model from first-principles equations, not empirical fitting.
Resource MinimalismDesigning systems to use the absolute minimum CPU, memory, and power.
Elegant SystemA system with minimal code that is verifiable, maintainable, and robust.
Technical DebtThe hidden cost of quick fixes that accumulate over time as maintenance burden.
Biohacking ProtocolA repeatable, documented procedure for self-experimentation with measurable outcomes.

Appendix B: Methodology Details

Data Collection Protocol

  • Frequency: Every 30s--5min (depends on variable)
  • Storage: CSV, local only
  • Format: timestamp,value,notes
  • Timezone: Always UTC

Code Quality Standards

  • Max 200 lines per script.
  • No external libraries beyond stdio.h, math.h, time.h.
  • All variables named descriptively.
  • Every function has a 1-line comment: “What this does.”
  • No goto, no recursion, no dynamic memory allocation.

Validation Protocol

  1. Manually verify 3 data points against raw sensor output.
  2. Run script with corrupted input → does it fail gracefully?
  3. Reboot device → does data resume correctly?

Appendix C: Mathematical Derivations

Glucose Minimal Model (Bergman, 1981)

dGdt=p1(G(t)Gb)+D(t)\frac{dG}{dt} = -p_1 (G(t) - G_b) + D(t) dIdt=p2I(t)+p3(G(t)Gb)\frac{dI}{dt} = -p_2 I(t) + p_3 (G(t) - G_b)

Where:

  • GbG_b: basal glucose (~85 mg/dL)
  • p1,p2,p3p_1, p_2, p_3: parameters calibrated via IVGTT

HRV RMSSD Formula

RMSSD=1N1i=1N1(RRi+1RRi)2RMSSD = \sqrt{ \frac{1}{N-1} \sum_{i=1}^{N-1} (RR_{i+1} - RR_i)^2 }

Where RRiRR_i is the interval between R-waves in ECG.

Sleep Onset Latency Estimation

Onset=min{t:motion(t)<θmotiont>lights_out}\text{Onset} = \min \left\{ t : \text{motion}(t) < \theta_{\text{motion}} \land t > \text{lights\_out} \right\}

Appendix D: References & Bibliography

  1. Bergman, R. N., et al. (1981). “Quantitative estimation of insulin sensitivity.” American Journal of Physiology.
  2. Kleitman, N. (1939). Sleep and Wakefulness. University of Chicago Press.
  3. Sweeney, D., et al. (2018). “The rise of the quantified self.” Nature Digital Medicine.
  4. Dijkstra, E. W. (1972). “Go To Statement Considered Harmful.” Communications of the ACM.
  5. Kuhn, T. S. (1962). The Structure of Scientific Revolutions. University of Chicago Press.
  6. OpenBCI. (2023). Open-Source Neurotech Hardware. https://openbci.com
  7. FreeStyle Libre. (2024). Technical Specifications. https://freestylelibre.com

Appendix E: Comparative Analysis

ToolLoCDependenciesResilienceClarityDIY-Friendly
Oura Ring App50,000+Cloud, proprietary SDKsLow (API-dependent)LowNo
Apple Health100,000+iOS ecosystemMediumLowNo
Clarity System (this doc)<200NoneHighHighYes
Fitbit API + Python1,200+OAuth, HTTP, JSONMediumLowPartial
OpenBCI + Python800+PySerial, NumPyMediumMediumYes

Appendix F: FAQs

Q: Can I use Python instead of C?
A: Yes---if you limit dependencies to math, time, csv. No pandas. No scikit-learn.

Q: What if my sensor doesn’t have an open API?
A: Reverse-engineer it with a logic analyzer. Or build your own with Arduino.

Q: How do I know if my model is correct?
A: Test it against a known physiological response. E.g., if you drink caffeine, does glucose rise? Does HRV drop? If yes → your model is plausible.

Q: Isn’t this too slow for real-time feedback?
A: You don’t need real-time. You need accurate retrospective insight.

Q: What if I make a mistake in the math?
A: Document your derivation. Share it. Let others critique it. Science is peer-reviewed, even in n=1.

Appendix G: Risk Register

RiskLikelihoodImpactMitigation
Sensor fails mid-experimentHighMediumUse 2 backup sensors; log raw data continuously
Code breaks after OS updateHighMediumUse static binaries; document build steps
Data loss due to SD card corruptionMediumHighDaily backups to USB; checksums
Misinterpretation of math modelMediumHighPeer review; print equations on wall
Burnout from over-trackingHighHighLimit to 1 experiment at a time; take breaks
Legal issues with DIY medical devicesLowHighDo not claim diagnosis. Use for “personal insight only.”

Appendix H: Tools & Resources

  • Hardware: ESP32, TSL2591 (lux), MAX30102 (HRV), FreeStyle Libre, Arduino Nano
  • Software: gnuplot, SQLite, C compiler (gcc), VSCode with C/C++ extension
  • Libraries: BioHackMath.org, OpenBCI GitHub
  • Books: The Art of Unix Programming, Practical Statistics for Data Scientists

Final Thought: The Quiet Revolution

You don’t need a lab. You don’t need funding. You don’t need AI.

You only need:

  • A question.
  • A sensor.
  • A math equation.
  • 200 lines of code.

And the courage to say:

“I will not be distracted. I will not be sold a dashboard. I will understand my body---clearly, simply, and without apology.”

This is the future of biohacking.

Not louder.
Not bigger.
But clearer.

Build less. Know more.

Clarity by focus.


“The most profound discoveries are made not with the loudest instruments---but with the quietest minds.”
--- Anonymous Biohacker, 2024