The Art of Interface Design: Making Good APIs that Scale

 

Why Well-Designed Interfaces Are Your Team’s Secret Weapon

As I’ve led engineering and data science teams across companies like Google, LinkedIn, and now as VP of Engineering & Data Science, I’ve observed a pattern: teams that invest in thoughtful interface design consistently outperform those that don’t. The most expensive technical debt isn’t from poorly optimized algorithms — it’s from interfaces that invite misuse.

But what makes an interface “good” versus “bad”? Is it merely an aesthetic judgment, or are there objective criteria we can apply?

Why Good Interfaces Matter (Especially at Scale)

Before diving into the how, let’s establish the why:

  • Well-designed interfaces result in localized changes — When you need to modify behavior, you don’t need to change code across your entire system
  • Well-designed interfaces result in less “support” — Your team spends less time answering questions or fixing bugs caused by misunderstandings
  • Well-designed interfaces are easier to learn for new teammates — Onboarding takes days instead of months

The essence is that good interfaces are more scalable than bad ones — both in terms of people working on the API and people using it. In high-growth environments like startups, this scalability becomes critical as both your team and codebase expand.

What Makes an Interface Good (or Bad)

No interface is perfect for all scenarios. The quality of an interface can only be judged within specific use cases. For example, reading text via a byte stream is a poor interface for string processing but could be excellent for finding the first zero bit.

Good interfaces typically satisfy many of these properties:

  • Usability: Easy to use correctly, hard to misuse, minimal boilerplate
  • Clarity: Unsurprising, consistent mental model, clear intent, well documented
  • Robustness: Actionable errors, fails fast, limited mutability
  • Simplicity: Focused purpose, no leaked implementation details
  • Adaptability: Extensible, programmable, built on familiar concepts

Rather than evaluating each property individually, let’s explore three core principles that help create interfaces that scale with both your codebase and your team.

Three Core Principles of Great Interfaces

1. Make It Easy to Get Started

The first few minutes of using an interface shape the entire user experience. As Erik Bernhardsson notes, “Getting started isn’t an afterthought after you built the product. Getting started is the product!”

A good interface should:

  • Allow users to achieve basic functionality within minutes
  • Minimize mandatory configuration
  • Reduce friction in setup (e.g., API tokens, environment setup)
  • Provide concrete, working examples rather than conceptual documentation
  • Have fast feedback loops for development

There are currently 7 billion+ developer tools out there. Users don’t have the patience to deeply understand what’s different about your particular tool. If they can’t get it working in a few minutes, they’ll likely move on to something else.

Remember that humans learn from examples, not from abstract “core concepts.” Instead of writing a 5,000-word conceptual overview, create a dozen examples that show your interface in action. This is how humans actually learn.

Example: Using Familiar Concepts

When designing interfaces, use names and patterns that match existing programming concepts where possible. For example, if you have an operation that transforms a value into another value, call it a “function” rather than inventing new terminology like “transformer” or “processor.”

As Erik Bernhardsson puts it: “If it walks like a duck, and it quacks like a duck, it probably is a duck.” Even if your implementation has subtle differences (like caching), using familiar terms helps users leverage their existing mental models and reduces cognitive load.

2. Make It Hard to Misuse

The best interfaces prevent errors rather than merely documenting how to avoid them. Let’s look at some examples that illustrate this principle:

Example: Python defaultdict

Consider grouping a collection by some key. A common approach might be:

d = {}
for word in words:
  first_letter = word[0]
  if first_letter in d:
    d[first_letter].append(word)
  else:
    d[first_letter] = [word]

Using defaultdict transforms this into:

d = defaultdict(list)
for word in words:
  first_letter = word[0]
  d[first_letter].append(word)

Standard Python dictionaries aren’t necessarily a “bad API” in general — but for this specific use case, the defaultdict interface better matches the problem and removes an entire class of potential errors.

Example: Limiting Mutability

Mutable objects make code harder to reason about:

Map<String, String> m = new HashMap<>();
m.put("a", "b");

int z = someFunc(m);

assert m.containsKey("a"); // Does this pass or fail?

When objects are mutable, anywhere they’re passed is potentially a place where they’re changed. This means to understand anything, you need to understand everything. Using an ImmutableMap instead would make it clear that someFunc can’t modify the map.

Example: Revealing Intent Through Abstractions

One hallmark of a great interface is that it makes the programmer’s intent immediately clear to readers. Consider these two implementations of the same functionality:

# Implementation 1: Raw loop
found_item = None
for item in collection:
    if item.id == target_id:
        found_item = item
        break

if found_item is not None:
    process(found_item)

vs.

# Implementation 2: Intent-revealing abstraction
found_item = find(collection, lambda item: item.id == target_id)
if found_item is not None:
    process(found_item)

The second version immediately communicates that we’re looking for an item in a collection. The abstraction find clearly reveals the intent, while the raw loop implementation requires the reader to analyze the algorithm to understand what it’s doing.

Good abstractions don’t just reduce code—they make the intent clearer. This is why standard libraries typically include operations like find, filter, map, and reduce. These aren’t just conveniences; they’re vocabulary that communicates intent directly to readers.

When designing interfaces, ask: “Does this interface clearly communicate what the code is trying to accomplish, not just how it accomplishes it?”

Example: Providing Actionable Errors

Compare these error messages:

IndexError: index out of range

vs.

IndexError: index=7 out of range for object (len=6) with items (showing first 3): 'apple', 'strawberry', 'banana', ...
Did you forget to check that your index was not beyond the length of the object?

Good errors should tell you:

  1. What input was wrong
  2. What’s wrong about it
  3. How to fix it (or next steps for investigation)

Example: Making Type Systems Work for You

Consider a class for representing dates:

class Date { 
public:
  explicit Date(int month, int day, int year);
};

This interface is easy to use incorrectly since all parameters have the same type. Callers can easily mix up the order, especially since different cultures have different conventions for ordering month, day, and year.

A better approach creates separate types:

struct Day {
  explicit Day(int day): d(day) {}     
  int d;
}; 

struct Year {
  explicit Year(int year): y(year) {}  
  int y; 
};

class Month {
public:
  static const Month Jan;
  static const Month Feb;
  //...
  static const Month Dec;

  int number() const { return m; }     

private:
  explicit Month(int month): m(month) {}                      
  int m;                               
};

class Date {                                      
public:                                           
  explicit Date(Month m, Day d, Year y);
  explicit Date(Year y, Month m, Day d);
  explicit Date(Day d, Month m, Year y);
  // implementation...
};

This design eliminates ordering errors and essentially prevents invalid months by creating a fixed set of immutable Month objects.

3. Make It Extensible

Here’s the uncomfortable truth: your interface will have bugs, edge cases, and limitations that you didn’t anticipate. No matter how carefully you design it. The question isn’t if your abstraction will fail users — it’s when and how gracefully.

Example: Avoiding Roundtrips

APIs often expose implementation details rather than focusing on use cases. Consider fetching messages for users:

Collection<MessageId> messageIds = getUsers(userIds).messages;
Collection<Message> messages = getMessages(messageIds);

This API reflects how the system is organized internally. But as organizations and architectures change, this approach creates brittle interfaces. A better approach gives users what they want in one step:

Collection<Message> messages = getMessagesForUsers(userIds);

But what if the user needs more flexibility? This is where extensibility comes in.

Pre/Post Hooks as Escape Hatches

Pre/post hooks let users inject custom code before or after critical operations without modifying your core implementation. This pattern provides several benefits:

  1. Temporary workarounds: When users discover a bug in your abstraction, hooks give them a way to implement workarounds without waiting for you to fix the underlying issue.

  2. Adapting to API changes: When a third-party API your interface depends on changes, hooks can bridge compatibility gaps while you update your core implementation.

  3. Supporting unexpected use cases: No matter how many use cases you consider, users will always find ones you didn’t. Hooks let them extend your interface to support these scenarios.

  4. Instrumentation and monitoring: Hooks make it easy to add logging, metrics, or validation without modifying core functionality.

Here’s a concrete example:

class DataProcessor:
    def __init__(self):
        self.pre_process_hooks = []
        self.post_process_hooks = []
    
    def add_pre_process_hook(self, hook):
        self.pre_process_hooks.append(hook)
    
    def add_post_process_hook(self, hook):
        self.post_process_hooks.append(hook)
    
    def process(self, data):
        # Run pre-process hooks
        for hook in self.pre_process_hooks:
            data = hook(data)
        
        # Core processing logic
        result = self._process_implementation(data)
        
        # Run post-process hooks
        for hook in self.post_process_hooks:
            result = hook(result)
        
        return result
    
    def _process_implementation(self, data):
        # Actual implementation
        return data  # simplified for example

With this design, when a user discovers the processor doesn’t handle a specific edge case, they can add a hook to handle it without waiting for you to update the core implementation:

# User workaround for a specific edge case
def handle_negative_values(data):
    if data < 0:
        return abs(data)  # Fix the edge case
    return data

processor = DataProcessor()
processor.add_pre_process_hook(handle_negative_values)

This approach keeps your interface clean while still giving users escape hatches when they need them. It acknowledges the reality that interfaces evolve and that users need flexibility to solve their problems.

Practical Guide: How to Design Better Interfaces

Based on my experience leading engineering teams across multiple domains, here are key practices for designing better interfaces:

  1. Get use cases first, then define requirements
    • Drive design based on how people will actually use your code
    • Remember, interfaces are only “good” within context
  2. Create tight feedback loops with users
    • Write the API first (without implementation)
    • Make examples and share them with potential users
    • Convert these examples into test cases later
  3. Keep interfaces minimal
    • Remember Hyrum’s Law: all observable behaviors will be depended on by someone
    • Smaller interfaces = fewer places for errors or misunderstandings
  4. Design for extensibility
    • Think about what hooks/callbacks might be valuable
    • Accept interfaces instead of implementations in functions/methods
    • Block inheritance if your API isn’t designed for it
    • Provide pre/post hooks for critical operations
  5. Hide implementation details
    • If you must include implementation details, separate them clearly
    • Use “scary” names to indicate parts users should avoid (e.g., ImplementationSpecificParameters)
  6. Properly document public entities
    • Document classes, methods, functions, variables
    • Include example usage
    • Explain the “why” not just the “what”
    • Use names that reveal intent
  7. Make errors actionable
    • Tell the user what went wrong and suggest how to fix it
    • Provide context and example values
  8. Limit mutability
    • Immutable objects simplify reasoning about code
    • Methods that don’t modify state are easier to test and understand
  9. Be judicious with defaults and “magic”
    • Only add automatic behavior that works correctly 97%+ of the time
    • Make it clear when and how defaults can be customized
  10. Keep conceptual overhead low
    • Aim for 3-5 core concepts that users need to understand
    • Build on existing programming concepts where possible

The Most Important Interface Design Guideline

If I had to distill all of these principles into a single guideline, it would be this:

Make interfaces easy to use correctly and hard to use incorrectly.

This puts the responsibility on the interface designer, not the user. If someone misuses your interface, it’s not because they’re careless — it’s because your interface allowed (or even encouraged) that misuse.

As Scott Meyers eloquently puts it, “When an interface is used incorrectly, the fault is that of the interface designer, not the interface user.”

Your Team’s Interface Challenge

Building interfaces is something every engineer does daily — whether they realize it or not. Classes, functions, modules, APIs, even entire systems all present interfaces to their users.

Take a moment to consider your team’s most important interfaces:

  • Are they easy to use correctly?
  • Are they hard to use incorrectly?
  • Do they hide implementation details?
  • Do they provide actionable errors?
  • Do they give users escape hatches when abstractions break?

The answers reveal where your most expensive technical debt may be hiding.


What interfaces in your codebase could benefit from these principles? Where could you add escape hatches to make your abstractions more resilient to the unexpected?

I’d love to hear your examples or challenges with interface design. Connect with me on LinkedIn or X to continue the conversation.


Other Resources

I found the following resources great on this topic:

  1. Better Code: Relationships (Sean Parent, Adobe)
  2. The Most Important Design Guideline (Scott Meyers, Effective C++)
  3. Programming as Theory Building (Peter Naur, Turing Award)
  4. You Can’t Tell People Anything (Chip Morningstar, industry veteran)
  5. How to Design a Good API and Why it Matters (Joshua Bloch, Effective Java)
  6. The Mythical Man-Month (Fred Brooks, Turing Award)
  7. What makes a good API? (Ron Kuris, industry veteran)
  8. The Little Manual of API Design (Jasmin Blanchette, Nokia / Qt)
  9. Coupling (Wikipedia)
  10. It’s hard to write code for computers, but it’s even harder to write code for humans (Erik Bernhardsson)