Tech Pioneers

Jason Fried: The Calm Company Pioneer Who Redefined How We Build Software

Jason Fried: The Calm Company Pioneer Who Redefined How We Build Software

In a tech industry obsessed with growth at all costs, round-the-clock hustle, and venture capital excess, one entrepreneur has spent over two decades proving that there is a better way. Jason Fried, co-founder and CEO of 37signals, built a profitable software company that has served millions of users — all while insisting that 40-hour work weeks, small teams, and profitability from day one are not just viable but preferable. His approach to building software, running a business, and treating employees has influenced an entire generation of founders who believe that success does not have to come at the expense of sanity.

Early Life and Education

Jason Fried was born in 1974 and grew up in the Chicago area, where he developed an early fascination with business. As a teenager, he ran a small stereo reselling operation, buying audio equipment at wholesale and selling it at a markup — an early taste of entrepreneurship that taught him the fundamentals of margins, customer relationships, and the satisfaction of building something self-sustaining.

Fried attended the University of Arizona, where he studied finance. Unlike many tech founders who came through computer science programs at Stanford or MIT, Fried’s business-oriented education shaped his perspective in distinctive ways. He approached technology not as an engineer first but as someone who thought about products, customers, and viable business models. This perspective would later become a defining characteristic of his work at 37signals, where business pragmatism consistently guided technical decisions.

During college and shortly after graduation, Fried began doing web design work. The mid-1990s web was still new territory, and Fried found himself drawn to the challenge of building useful, clean websites for clients. In 1999, at the age of 25, he formally founded 37signals as a web design consultancy in Chicago. The company name was inspired by a list of 37 radio signals that scientists had identified as potential signs of extraterrestrial intelligence — a fitting metaphor for a company that would spend years trying to pick meaningful signals out of the noise of the tech industry.

The Calm Company Breakthrough

Technical Innovation

In the early 2000s, 37signals was a small consultancy building websites for clients. But Fried and his team grew frustrated with the project management tools available at the time. Existing solutions were bloated, complex, and designed for enterprise buyers rather than the teams actually using them. So in 2004, they built their own tool: Basecamp.

Basecamp was radical in its simplicity. While competitors like Microsoft Project offered hundreds of features, Gantt charts, and complex configuration options, Basecamp focused on the essentials: message boards, to-do lists, file sharing, and schedules. Fried believed that most teams did not need sophisticated project management theory — they needed a shared place to communicate and stay organized.

To build Basecamp, Fried hired a Danish programmer named David Heinemeier Hansson (DHH), who would become his long-time business partner. DHH built Basecamp using Ruby, and in the process created a web framework that would be extracted from the Basecamp codebase and released as Ruby on Rails. The architectural decisions made during Basecamp’s development — convention over configuration, the MVC pattern applied to web apps, database migrations, and RESTful routing — became the foundation of modern web development.

Here is an example of how Basecamp’s original architecture influenced the convention-over-configuration philosophy that became central to Rails development:

# A typical Rails model reflecting Basecamp's design philosophy:
# Simple, readable, with conventions doing the heavy lifting
class Project < ApplicationRecord
  has_many :messages, dependent: :destroy
  has_many :todolists, dependent: :destroy
  has_many :todos, through: :todolists
  has_many :memberships
  has_many :users, through: :memberships

  validates :name, presence: true, length: { maximum: 255 }

  scope :active, -> { where(archived: false) }
  scope :recent, -> { order(updated_at: :desc).limit(10) }

  # Basecamp philosophy: keep the interface minimal,
  # let the framework handle the plumbing
  def archive!
    update!(archived: true)
    memberships.update_all(notified_at: Time.current)
  end
end

The technical choices at 37signals consistently reflected Fried’s product philosophy. Instead of chasing microservices architectures or polyglot persistence, the team built monolithic applications using a single language and a relational database. This approach, sometimes called the “majestic monolith,” was a deliberate counter to the industry trend of over-engineering. The result was a system that a small team could maintain, deploy, and iterate on rapidly — a direct technical expression of the calm company ethos.

Why It Mattered

Basecamp’s launch in 2004 mattered for reasons far beyond the product itself. It demonstrated that a small, self-funded team could build a commercially successful SaaS product without venture capital. At a time when the Web 2.0 boom was inflating valuations and encouraging companies to pursue growth at all costs, 37signals was profitable from day one.

This mattered because it offered an alternative narrative. In Silicon Valley, the dominant model was to raise millions, hire aggressively, lose money for years, and hope for an IPO or acquisition. Fried and DHH showed that a different path existed — one where you charged customers real money for a useful product, kept your team small, and focused on sustainability rather than explosive growth. They proved that a software company could be more like a restaurant or a publishing house than a rocket ship.

The ripple effects were enormous. Thousands of founders, inspired by 37signals, chose to bootstrap their companies rather than seek venture funding. The “indie hacker” movement, which would blossom in the 2010s and 2020s, owes a significant debt to the example Fried set. Entrepreneurs like those who would go on to use platforms inspired by the Y Combinator ecosystem — and sometimes deliberately avoid it — pointed to 37signals as proof that profitability and independence were achievable goals.

Other Major Contributions

Beyond Basecamp, Fried and 37signals have produced a series of products and ideas that have shaped the tech landscape. In 2021, the company launched HEY, an email service designed to challenge the conventions of how email works. HEY introduced concepts like the “Imbox” (for important mail), a screening process for first-time senders, and a deliberate removal of read receipts and tracking pixels. The product was a direct expression of Fried’s belief that software should respect users rather than exploit their attention.

HEY’s launch also sparked a high-profile conflict with Apple over App Store policies. When Apple rejected an update to the HEY iOS app because it did not use in-app purchases (and therefore did not give Apple its 30% cut), Fried and DHH went public with the dispute. The controversy drew widespread attention to App Store policies and contributed to the growing regulatory scrutiny of Apple’s platform practices. This was characteristic of Fried’s willingness to take public stands on industry issues.

In 2022, 37signals released ONCE, a line of software products sold as one-time purchases rather than subscriptions. This was a deliberate pushback against the SaaS model that 37signals itself had helped popularize. Fried argued that not everything needed to be a recurring subscription, and that customers should have the option to own their software. The first ONCE product, Campfire (a group chat tool), was sold as a self-hosted package — a move that resonated with growing concerns about data sovereignty and subscription fatigue.

37signals also made significant contributions to the Ruby on Rails ecosystem, reflecting the tight integration between their product work and open-source development. The company contributed libraries like Turbo and Stimulus (part of the Hotwire framework), which offered an alternative to heavy JavaScript frameworks for building interactive web applications:

# Hotwire/Turbo approach from 37signals:
# Server-rendered HTML with minimal JavaScript
# This controller action demonstrates the "HTML over the wire" philosophy
class MessagesController < ApplicationController
  def create
    @message = @project.messages.create!(message_params)

    # Instead of returning JSON for a JavaScript framework to render,
    # Turbo Streams deliver HTML fragments directly
    respond_to do |format|
      format.turbo_stream do
        render turbo_stream: [
          turbo_stream.append("messages", @message),
          turbo_stream.update("message_count", @project.messages.count),
          turbo_stream.replace("new_message_form",
            partial: "messages/form", locals: { message: Message.new })
        ]
      end
      format.html { redirect_to @project }
    end
  end
end

This approach — sending HTML over the wire instead of JSON to be rendered by client-side JavaScript — represented a philosophical statement about web development. While companies like Facebook (under Mark Zuckerberg) invested heavily in complex client-side frameworks like React (created by Jordan Walke), 37signals argued that the server-rendered web, enhanced with small amounts of JavaScript, was sufficient for most applications and far simpler to maintain.

Philosophy and Approach

Jason Fried is as much a philosopher of work as he is a technologist. His ideas, articulated through bestselling books, conference talks, blog posts, and social media, have formed a coherent worldview about how companies should operate. His books Rework (2010), Remote: Office Not Required (2013), and It Doesn't Have to Be Crazy at Work (2018), co-authored with DHH, collectively sold millions of copies and were translated into dozens of languages.

Key Principles

  • Profitability over growth. Fried has consistently argued that charging customers from day one and running a profitable business is healthier than chasing growth metrics subsidized by venture capital. He believes the VC model distorts incentives, pushing companies to prioritize investor returns over customer value.
  • Small teams by design. 37signals has deliberately kept its headcount low — typically under 80 employees, even as the company's products served millions. Fried sees small teams not as a limitation but as a competitive advantage: fewer communication channels, faster decision-making, and less bureaucracy.
  • 40-hour work weeks. In an industry that glorifies overwork, Fried insists on reasonable hours. 37signals employees work 40-hour weeks, and during summer months the company shifts to 32-hour, four-day weeks. Fried argues that crunch culture is a sign of poor planning, not dedication.
  • Asynchronous communication. Long before the COVID-19 pandemic made remote work mainstream, Fried was advocating for asynchronous communication. He believes that real-time interruptions — meetings, chat messages, shoulder taps — are the primary destroyers of productive work. His approach favors long-form writing over meetings and thoughtful responses over instant replies.
  • Say no to most things. Fried practices aggressive feature restraint. Rather than adding every feature customers request, 37signals deliberately keeps products simple. Fried often says that the features you leave out are as important as the ones you include — a principle that modern project management tools continue to grapple with.
  • Opinionated software. Fried believes that the best software has a strong point of view. Rather than trying to be everything to everyone, products should make decisions on behalf of users. This means fewer settings, fewer configuration options, and more carefully considered defaults.
  • Work is not family. Fried has been vocal about rejecting the "we're a family" rhetoric common in tech companies. He argues that companies are more like sports teams — groups of people working together toward shared goals, with professional rather than familial obligations. This framing sets healthier expectations about loyalty, commitment, and boundaries.
  • Question the status quo relentlessly. From challenging App Store policies to rejecting the SaaS model his own company popularized, Fried consistently questions accepted wisdom. His willingness to change course — even reversing his own previous positions — reflects a commitment to first-principles thinking over dogma.

Legacy and Impact

Jason Fried's influence extends far beyond the products 37signals has built. He helped define an entire philosophy of company-building that stands as a viable alternative to the Silicon Valley growth-at-all-costs model. The "calm company" or "lifestyle business" — terms that once carried dismissive connotations — have been reframed by Fried's example as legitimate and even aspirational goals.

His partnership with David Heinemeier Hansson produced not only successful products but also Ruby on Rails, one of the most influential web frameworks ever created. Rails enabled a generation of startups — from early Twitter to Shopify to GitHub — to build and ship products rapidly. While DHH was the technical architect, Fried's product vision and business philosophy shaped the context in which Rails was born.

Fried's writings on remote work proved prescient. When the COVID-19 pandemic forced companies worldwide to adopt remote work in 2020, many turned to Remote: Office Not Required, published seven years earlier, as a practical guide. 37signals had been a fully remote company for years, and their practices — documented in books and blog posts — became a blueprint for organizations suddenly navigating distributed work. The work of pioneers like Matt Mullenweg, who built Automattic as a fully distributed company, parallels and reinforces the model Fried championed.

The indie hacker and bootstrapper movements owe an enormous debt to Fried. Communities, podcasts, and conferences dedicated to building profitable, independent software businesses trace their philosophical lineage directly to the example 37signals set. The idea that you can build a successful tech company with a small team, no VC money, and a focus on profitability — now almost a cliché — was a radical proposition when Fried began advocating it in the early 2000s. Today, platforms like Toimi reflect the kind of pragmatic, results-focused approach to business that Fried has long championed.

Fried's impact on product design philosophy has been equally significant. His insistence on simplicity, opinionated defaults, and feature restraint influenced how an entire generation of product managers and designers think about building software. The principle that less is more — that every feature adds complexity and that the best product is often the one with fewer features done exceptionally well — has become a foundational tenet of modern product thinking.

Even Fried's more controversial moments have been influential. His willingness to take public stands — against App Store policies, against remote work skeptics, against surveillance capitalism — has demonstrated that tech leaders can use their platforms to shape industry norms. Whether one agrees with all of his positions or not, Fried's example shows that building technology and questioning the systems around it are not mutually exclusive activities.

At the heart of Fried's legacy is a simple but powerful idea: that work should serve life, not the other way around. In an industry that often treats human beings as resources to be optimized, Fried has spent over twenty years insisting that there is a better way — and building a company that proves it.

Key Facts

  • Full name: Jason Fried
  • Born: 1974, Chicago, Illinois, USA
  • Education: University of Arizona (Finance)
  • Company: 37signals (founded 1999), makers of Basecamp, HEY, and ONCE
  • Co-founder with: David Heinemeier Hansson (DHH)
  • Books: Rework (2010), Remote: Office Not Required (2013), It Doesn't Have to Be Crazy at Work (2018), Getting Real (2006)
  • Key products: Basecamp (2004), HEY (2021), ONCE (2022), Campfire, Highrise, Writeboard
  • Business model: Bootstrapped, profitable, no venture capital
  • Team size: Approximately 70-80 employees serving millions of users
  • Notable stance: 40-hour work weeks, 4-day summer weeks, fully remote since founding

Frequently Asked Questions

What is the "calm company" philosophy that Jason Fried advocates?

The calm company philosophy, as articulated by Fried and DHH in their book It Doesn't Have to Be Crazy at Work, is a comprehensive approach to running a business that prioritizes sustainable pace over frantic growth. It means 40-hour work weeks (32 in summer), minimal meetings, asynchronous communication, and a focus on profitability rather than vanity metrics. Fried argues that the chaos common in most companies is not a sign of ambition but of poor management. A calm company does not mean an unambitious one — it means one that achieves its goals without burning out its people. The philosophy extends to product design as well: calm software respects users' time and attention rather than trying to maximize engagement.

How did 37signals contribute to the creation of Ruby on Rails?

Ruby on Rails was born directly from 37signals' work on Basecamp. When David Heinemeier Hansson was hired by Jason Fried to build Basecamp in 2003, he developed the application using Ruby and created a set of patterns and abstractions to speed up the development process. These abstractions — covering database interactions, routing, templating, and more — were extracted from the Basecamp codebase and released as the open-source Ruby on Rails framework in 2004. Rails went on to become one of the most influential web frameworks in history, powering early versions of Twitter, GitHub, Shopify, and countless other applications. The framework's philosophy of convention over configuration and its focus on developer happiness directly reflected the product values that Fried brought to 37signals.

Why did Jason Fried reject venture capital funding?

Fried has been one of the most vocal critics of the venture capital model in tech. His core argument is that VC funding misaligns incentives: investors need outsized returns, which pushes companies toward aggressive growth, unsustainable spending, and eventual exits (IPOs or acquisitions) rather than building durable, profitable businesses. By bootstrapping 37signals, Fried retained full control over the company's direction, pace, and values. He was able to keep the team small, maintain reasonable work hours, and make product decisions based on customer needs rather than investor expectations. Fried often points out that 37signals has been profitable for over two decades — a track record that very few VC-backed companies can match. His position is not that venture capital is always wrong, but that it is wrong for far more companies than currently use it, and that the industry would be healthier if more founders chose the bootstrapped path.

What impact did Jason Fried have on the remote work movement?

Jason Fried was one of the earliest and most prominent advocates for remote work in the tech industry. 37signals operated as a remote company from its earliest days, long before the practice was mainstream. In 2013, Fried and DHH published Remote: Office Not Required, which laid out both the philosophical case and the practical playbook for distributed work. The book covered topics like managing across time zones, building trust without physical proximity, and creating asynchronous communication habits. When the COVID-19 pandemic forced millions of workers remote in 2020, Fried's ideas — once considered fringe — became essential reading. Companies worldwide adopted practices that 37signals had refined over years: written communication over meetings, flexible schedules, results-based evaluation, and trust over surveillance. Alongside other remote work pioneers like Matt Mullenweg of Automattic, Fried helped establish the intellectual and practical framework that made the sudden global shift to remote work possible.