Introduction Link to heading
In our previous post, we explored the Dependency Inversion Principle and how it enables clean, modular architectures. Today, let’s dive into another crucial SOLID principle: Interface Segregation.
Again, kudos to Uncle Bob for reminding me about the importance of good software architecture in his classic Clean Architecture! That book is my primary inspiration for this series. Without clean architecture, we’ll all be building firmware (my paraphrased summary).
The Interface Segregation Principle (ISP) states that clients should not be forced to depend on interfaces they don’t use.
This principle might sound obvious, but its violation is surprisingly common. Let’s explore why it matters and how to apply it effectively.
The Problem with “Fat” Interfaces Link to heading
Consider this common anti-pattern in many codebases:
// DON'T DO THIS
type UserService interface {
    CreateUser(user User) error
    GetUser(id string) (User, error)
    UpdateUser(user User) error
    DeleteUser(id string) error
    ValidatePassword(password string) bool
    SendWelcomeEmail(user User) error
    GenerateAuthToken(user User) (string, error)
    ResetPassword(email string) error
    UpdateLastLogin(id string) error
}
This interface violates ISP because:
- Most clients only need a subset of these methods
- Changes to any method affect all implementations
- Testing becomes unnecessarily complex
Better: Small, Focused Interfaces Link to heading
Instead, we should break this down into role-specific interfaces that each serve a single responsibility:
type UserReader interface {
    GetUser(id string) (User, error)
}
type UserWriter interface {
    CreateUser(user User) error
    UpdateUser(user User) error
    DeleteUser(id string) error
}
type UserAuthenticator interface {
    ValidatePassword(password string) bool
    GenerateAuthToken(user User) (string, error)
    UpdateLastLogin(id string) error
}
type UserNotifier interface {
    SendWelcomeEmail(user User) error
}
Now clients can depend only on what they need:
type UserProfileHandler struct {
    reader UserReader
}
type UserRegistrationHandler struct {
    writer  UserWriter
    auth    UserAuthenticator
    notifier UserNotifier
}
The Power of Composition Link to heading
Go’s interface composition makes this pattern particularly elegant:
// When you do need everything
type CompleteUserService interface {
    UserReader
    UserWriter
    UserAuthenticator
    UserNotifier
}
This approach gives us several benefits:
- Flexibility: Implementations can be mixed and matched
- Testability: Mocking becomes trivial
- Maintainability: Changes affect fewer components
- Clarity: Interfaces document their purpose through focus
Real-World Example: HTTP Handlers Link to heading
Let’s see how this applies to a typical web service:
type UserHandler struct {
    reader UserReader
    writer UserWriter
}
func (h *UserHandler) GetUser(w http.ResponseWriter, r *http.Request) {
    // Only needs UserReader
    id := chi.URLParam(r, "id")
    user, err := h.reader.GetUser(id)
    // ... handle response
}
func (h *UserHandler) CreateUser(w http.ResponseWriter, r *http.Request) {
    // Only needs UserWriter
    var user User
    if err := json.NewDecoder(r.Body).Decode(&user); err != nil {
        http.Error(w, err.Error(), http.StatusBadRequest)
        return
    }
    if err := h.writer.CreateUser(user); err != nil {
        http.Error(w, err.Error(), http.StatusInternalServerError)
        return
    }
    w.WriteHeader(http.StatusCreated)
}
Testing Benefits Link to heading
Small interfaces make testing much simpler:
type mockUserReader struct {
    users map[string]User
}
func (m *mockUserReader) GetUser(id string) (User, error) {
    if user, ok := m.users[id]; ok {
        return user, nil
    }
    return User{}, errors.New("user not found")
}
func TestGetUser(t *testing.T) {
    mock := &mockUserReader{
        users: map[string]User{
            "123": {ID: "123", Name: "Test User"},
        },
    }
    handler := &UserHandler{reader: mock}
    // Test your handler with a simple mock
}
Key Takeaways Link to heading
- Keep interfaces small and focused - they should do one thing well
- Let clients define interfaces - don’t force unnecessary dependencies
- Use composition when you need to combine functionality
- Think in terms of roles rather than objects
Conclusion Link to heading
Interface Segregation might seem like extra work initially, but it pays dividends in maintainability, testability, and flexibility. Combined with Dependency Inversion from our previous post, these principles form a powerful foundation for clean, maintainable architectures.
Stay tuned for our next post in the series, where we’ll explore the Liskov Substitution Principle!
Pro tip: When in doubt about interface size, err on the side of making them too small. It’s easier to compose small interfaces than to break apart large ones.
Update: Friendly Disclaimer and Reminder Link to heading
If you’re looking for a comprehensive guide to software architecture, this is not it. The purpose of my recent posts about software architecture is to explore some some principles in a practical way, principles I’ve previously been too quick to dismiss or too lazy to apply. I’m neither claiming mastery of these concepts, nor am I suggesting that these principles should be rigidly applied in every situation. I’m not even proposing that my brief examples are the best way to implement or even explain these principles. Rather, I’m documenting my attempts to bridge classical software engineering principles with contemporary development practices. In fact, I have yet to decide for my self how close to “Clean Architecture” I want to get in the end vs how pragmatic I want to be. But for now I’m (mostly) enjoying the learning and exploration. Keep that in mind before you harass me, Uncle Bob or anyone else on Reddit about it 😅
And to all of you who have disagreed with me in a meaningful and respectful way, thank you. It’s been a great learning experience for me.
Thanks :)