Malloy and Accidents of History

The Tapestry Team
Oct 2023

I don’t mean to alarm you but, “accidents of history” are among us.

Countless decisions make sense when tethered to a particular moment in time. However, if we were to rethink them today from, dare I say it, first principles, we would conclude that we have been subject to one calcified ruse after another.

Par example, that QWERTY keyboard of yours. It was originally designed to prevent the jamming of mechanical keys in typewriters. I know it’s fundamentally flawed, but good luck coercing me into switching to DVORAK.

What else? We created legal tender to facilitate a double coincidence of wants, with internet-scale liquidity, we have this. We’ve developed modern algorithms to replace antiquated IPOs, but all the best convincing your resident Lead Left to change their ways. Don’t get me started on Dockerfiles or, better yet, the imperial system.

Whilst perhaps not quite as existential as legal tender, I view SQL as comparably archaic. ORMs, SQL supersets, semantic layers and query engines all feel like calcification to me. Band-Aids vs. MMR II.

Instead of relying on Trino to rewrite our SQL for us, what if we rewrote the language itself? Thankfully, Lloyd Tabb (of Looker fame), Michael Toy, Carlin Eng, and the team at GCP asked themselves a similar question:

“If we knew all the things we know about data, and about programming with data, and about programming languages in general, and we were designing a query language today, what would it look like?”.

More broadly, this line of questioning is one that we as investors should stuff into our back pockets. Lodge it right next to Charlie’s boiling frog. In this instance, the result of Lloyd’s question is Malloy — a language for describing data relationships & transformations. Sounds...familiar?

Sit tight, there’s more. Malloy:

  • Compiles to SQL optimised for your database.
  • Has both a semantic data model and query language.
  • Excels at reading and writing nested data sets.
  • Seamlessly handles what are complex/error-prone queries in SQL.

Interesting. It’s no secret that the proverbial: “modern data stack” has been in vogue within venture. Rightly so. However, since stumbling upon Malloy, I’ve wondered how much of this stack can be obviated by swapping out SQL itself?

Furthermore, why has SQL endured as the incumbent query language since the 1970s? New programming languages spring up often. What’s unique here? Let’s dig in.


As mentioned, Malloy is a language for describing data relationships and transformations within SQL databases. It:

  • Compiles to SQL optimised for your database.
  • Has both a semantic data model and query language.
  • Excels at reading and writing nested data sets.
  • Seamlessly handles what are complex/error-prone queries in SQL.

As always, we’ll build towards an understanding of the definition above via breaking it into its components.


Section 1 - History of SQL & RDMS

As Pablo Picasso (“founding eng” at IBM, I think) once opined: “learn the rules like a pro, so you can break them like an artist”. Similarly, we must first understand SQL & the “relational model” writ large if we are to challenge it.

Up until 1970, database management systems (DBMSs) such as IBM’s Information Management System (IMS) organised data using “hierarchical” (think tree structures) or “network” models:

Organization
|
|-- Department: IT
|   |-- Employee: John Doe
|   |   |-- Task: Develop Software
|   |   |-- Task: Maintain Systems
|   |-- Employee: Jane Smith
|       |-- Task: Network Management
|
|-- Department: HR
   |-- Employee: Mike Johnson
   |   |-- Task: Recruitment
   |-- Employee: Sarah Lee
       |-- Task: Employee Relations

With what we know now (recall, “accidents of history”), it’s clear that this is an incredibly rigid, and rather abstruse data model to grok at scale. Imagine attempting to parse Zomato’s 150M logs p/m if represented this way (!).

IBs rejoice, Edgar Codd came along in 1970 with the paper: “A Relational Model of Data for Large Shared Data Banks”. Edgar proposed that data should be presented to end-users as “relations”, which are the database “tables” (yes, like Excel) that we’re all too familiar with today.

Edgar stated that each row of a table should represent an instance of data (ie a “record”) and each column, an attribute (ie a “property”). To avoid duplicates, each record should contain a unique identifier, known as a “primary key”.

Edgar also equipped us with a set of operations that could be used to manipulate these “relations” (remember, tables) in order to retrieve & modify data. Operations such as: selection, projection, union, set difference, Cartesian product, and join. Hmm. Familiar?

Technical Detail: What rhymes here, is that Edgar advocated for the separation of database schema & physical storage. Many years later in 2012, Snowflake would pioneer the separation of storage and compute, and more recently, Firebolt has separated indices also.

Whilst Edgar’s seminal work precipitated the modern relational database industry, he is in fact, not the creator of SQL himself. This kinda all balances out. As, as already alluded to: “SQL has no real right to be called relational at all”. It’s implausible that the father of relational algebra would make such a series of blunders.

Rather, Big Blue’s Chamberlin & Boyce developed what was originally dubbed “Structured English Query Language” in 1974. Yes folks, it is See-quill vs. es-que-el. ...Clearly.

IBM’s “System R” was one of the first RDMSs & implementations of SQL (following the University of Michigan’s “Micro DBMS”). However, by 1979, the fledgling Relational Software Inc released the first commercially available implementation of SQL. Bravo, Larry.

Ok, so what’s so wrong with Chamberlin & Boyce’s Modern Prometheus?


Section 2 - SQL & Its Issues

Good news folk. Whilst Nix expressions or Zig’s syntax might’ve required some labour to wield, SQL is, frankly, très facile. This was very much intended by Chamberlin & Boyce who designed the language for “ad-hoc” queries, often made by “non-professional” users.

Note the misplaced design decision? Herein lies a derivative of Jevon’s Paradox at play. Lowering the barrier of entry to “data programming”, increased the number of sophisticated “data programmers” over time. Unsurprisingly, these sophisticated users aren’t too content with SQL — it wasn’t designed for them, after all.

Ok, moving swiftly on from economic theory to programming reality. Welcome, class, to SQL 101.

SQL’s functionality is essentially GROUP’d into 3 components: 1) Data Definition (ie describe my data), 2) Data Manipulation (ie change my data) & 3) Data Querying (ie get my data).

Defining our data could look something like this:



CREATE TABLE table_name (
column1 datatype,
column2 datatype,
...
);


Here, we have created a table called “table_name” with two columns: “column1” & “column2”. We can specify the data types (recall “types” from our Deno primer) that should be inserted into each column (e.g., dates, integers, strings).

Next, we manipulate our data like so:

INSERT INTO table_name (column1, column2,...)
VALUES (value1, value2,...);

Here, we’re manipulating the data structure that we originally defined by inserting “values” (ie data) that, all going well, conform to the data types we specified above.

Great. Now we have data stored in our relational database (think PostgreSQL or BigQuery). In order to actually use this data, be it to power our application or, better yet, strike fear into unsuspecting sales reps, we need to query it. A la:

SELECT column1, column2, ...
FROM table_name
WHERE condition;


All pretty straightforward, right? Things get a little more.. complicated when you realise that, despite adhering to a standards body, the SQL you write that works for PostgreSQL, may not work for MySQL.

For example, if you want to concatenate strings in PostgreSQL you can use the “concat()” function or use the following “pipe” (ie ||) operator:

SELECT 'Hello' || ' ' || 'World';

Whereas MySQL doesn’t use the pipe operator by default (it can be enabled):

SELECT CONCAT('Hello', ' ', 'World');

Countless examples exist to enumerate my point. Database vendors claim that these differences are due to “optimisations” for their DBMS. Sure, but do you think they’re mad about simultaneously creating switching costs? That sweet, sweet 158% NDR.

Fortunately for SQL, its soft-underbelly is often shielded by object-relational mapping (or “ORMs”) tools like SQLAlchemy or Prisma. These tools enable developers to write Python, etc., vs. raw SQL (hence, the “mapping”), whilst also acting as database abstraction layers.

See the “calcification” now? Or as Paolo Atzeni puts it: SQL is an elephant on clay feet.

Technical Detail: See below a SQL “upsert” (portmanteau of update & insert) I recently wrote using SQLAlchemy. Note I’m using the “Pythonic” function text() vs. writing raw SQL.

neon_conn.execute(
               text(
               "INSERT INTO nix_tweets_two (id, tweetid, tweettext, userurl) VALUES (:id, :tweetid, :tweettext, :userurl) ON CONFLICT (tweetid) DO NOTHING"
               ),
               [{"id":nix_tweets_uuid, "tweetid": int(tweet_id), "tweettext": tweet_text, "userurl": user_url}]
               )
       neon_conn.commit()

Next, we get onto the subject of “nested queries” (I’m a hit at dinner parties). As any of you who’ve waded through my Zig primer will know, I’m a sucker for eloquent programming syntaxes. SQL’s “non-professional” syntax is.. proficiently offensive.

Have a look at how SQL formats nested queries:

SELECT name, salary
FROM employees
WHERE salary > (SELECT AVG(salary) FROM employees);

Perhaps I’m being a little pedantic, but parsing this query certainly isn’t intuitive. For a start, what should I (or the “parser” itself) compute first? Also, whilst I’m on this brazen crusade, shouldn’t we start the query with the FROM clause?

However, things can get much more convoluted:

SELECT customer_name, total_order_value
FROM (
   SELECT o.customer_name,
          SUM(oi.price * oi.quantity) AS total_order_value
   FROM orders o
   JOIN order_items oi ON o.order_id = oi.order_id
   GROUP BY o.customer_name
) AS customer_orders
WHERE total_order_value > (
   SELECT AVG(total_order_value)
   FROM (
       SELECT o.order_id,
              SUM(oi.price * oi.quantity) AS total_order_value
       FROM orders o
       JOIN order_items oi ON o.order_id = oi.order_id
       GROUP BY o.order_id
   ) AS order_values
);

Anyone else feel a sense of malaise? Don’t worry, my head is pounding too. On a positive note, even dedicated SQL parsing algorithms struggle to comprehend walls of SQL like this.

Perhaps it’s increasingly clear why we should DROP this language? (Sorry, couldn’t resist.)


Let’s scratch off some of our newfound understanding from our original definition:

As mentioned, Malloy is a language for describing data relationships and transformations within SQL databases. It:

  • Compiles to SQL optimised for your database.
  • Has both a semantic data model and query language.
  • Excels at reading and writing nested data sets.
  • Seamlessly handles what are complex/error-prone queries in SQL.

Section 3 - Introducing the Semantic Layer

Let’s begin by unpacking the “semantic data model”.

We’ll get into the nitty-gritty, but “semantic” is the key word here. Ever squinted at thousands of table rows & struggled to understand the “meaning” of the data? Don’t fret, this is a safe space, I have too.

Let’s continue our therapy session. Perhaps you’ve also felt the anxiety of wondering if the SQL you’ve written is calculating subjective metrics like: “a magic number” or “MAUs”, correctly? Rather stressful.

Ideally, we’d make our data easy to grok. We can do this by translating abstruse data schemas and walls of SQL into intuitive natural language concepts and instructions. Hence, “semantic model” (or “semantic layer”). Ok, nice, but how does this all work?

Brace yourselves for another layer of “calcification”.

Many credit BusinessObjects (acquired for ~$6B by SAP in 2007) for creating the original semantic layer, called “Universe”. However, I think Looker’s “LookML” (created in 2012) demonstrates its ideals best.

LookML is essentially a SQL abstraction. Folk using Looker for BI purposes can write the language vs. writing sushi-grade SQL. Nice lock-in by Looker, huh? As discussed, this is common in database land: Elastic’s Query DSL, Neo4j’s Cypher, CQL, et cetera.

Anyway, LookML exposes many core concepts that bestow semantic meaning upon raw SQL. We’ll focus on LookML’s “measures” (ie data calculations) as but one example. Let’s begin:

view: sales {
 measure: total_sales {
   type: sum
   sql: ${TABLE}.sale_price ;;
 }

Here we have a LookML file (hence “.lkml”) that stores a “view” (ie a table) called sales that’s derived from another table’s sales_price column.

Within this view, we have a “measure” called total_sales. Note the metadata within the “measure” that makes it quite intuitive to understand what’s happening here (e.g., type: sum).

This metadata also reduces the length & complexity of the raw SQL that would be written otherwise:

SELECT SUM(sale_price) AS total_sales
FROM sales;

Hmm. Nice… maybe? To close the loop, more recently, dbt inherited semantic layer capabilities via its acquisition of Transform. Much like Looker, dbt also encourages the extension of SQL via the Python-based templating engine, Jinja.

Super. With LookML it.. looks-ml.. like we have solved many of SQL’s shortcomings, right? Well, no. Firstly, as belaboured at this point, we’re not fixing the root cause of our woes: SQL itself.

Secondly, the issue with many of these SQL extensions & abstractions is that they’re tethered to specific vendors. If I’m the de novo database on the block, do I really want to create dependency on a future competitor? Nope. As a result, our efforts don’t yield standardisation around a better way of doing things.

It’s clear that we need a new, open, standard.


Ok, one final scratching-off exercise below. Seems like we’re now ready to tackle Malloy?

As mentioned, Malloy is a language for describing data relationships and transformations within SQL databases. It:

  • Compiles to SQL optimised for your database.
  • Has both a semantic data model and query language.
  • Excels at reading and writing nested data sets.
  • Seamlessly handles what are complex/error-prone queries in SQL.

Section 4 - Malloy

I’ll be honest, I didn’t think I’d get this excited about a query language. That said, I should know better at this point: Zig, Godot’s GDScript, & Deno (well, Fresh) have all played lead roles in Why Now.

The world runs on software, but software runs in the direction that it’s guided towards. Minimise bugs and you’ll create mission critical applications, enforce type safety and you’ll build a whole lotta enterprise SaaS.

Languages shape software, making them rather fascinating. This impact, served with comparisons of magic, made Malloy rather difficult to resist. To be fair, I think Lloyd may be onto something. Let’s delve a little deeper.

Ok, so, firstly.. Malloy starts with a run clause, which essentially serves the same purpose as (although is more “powerful” than) SQL’s FROM clause. As mentioned already, this just makes logical sense:

run: duckdb.table('../data/airports.parquet') -> {
 select:
   id
   code
   city
 limit: 10
}

Technical Detail: Don’t worry about the “duckdb” reference (thanks Hannes), this is “just” a database that’s embedded locally on your device (laptop, phone, etc).So, all we’re doing here is accessing an airports table that’s stored as a Parquet file. Parquet files are columnar file formats which we won’t get into now, but you really should read up on them if unfamiliar.

Let’s continue examining the “scaffolding” of Malloy for a tad longer before we delve into the meatier stuff.

As I’ve alluded to previously, language ambiguity creates bugs and hinders readability. How so? Well, if multiple ways of achieving the same outcome exist, the “reader” of a particular piece of code has to do a little more grease-work to understand it.

For example, in SQL, the SELECT clause can be used for two distinct use cases. When married with the GROUP BY clause, SELECT is used for aggregation purposes (note the “SUM(sales) as total_sales” below). If the GROUP BY clause isn’t present, then SELECT is used for plain ole data retrieval.

Par example, imagine we have a table like so:


If we query this table with the following SQL (note the SELECT & GROUP BY) like so:

SELECT country, SUM(sales) as total_sales
FROM data_table
GROUP BY country;

We end up aggregating (in this case, SUM-ming) the USA rows. Why? Because they’re present more than once (hence the 150 total sales):

Accordingly, notice that the SELECT statement has a lack of “identity” to some degree here? It serves a couple of purposes. This tends to occur when a programming language is essentially developed in tandem with its own use case.

My-guy-Malloy, on the other hand, has the benefit of hindsight. Thus, Malloy is a little more.. explicit with aggregates:

run: duckdb.table('../data/airports.parquet') -> {
 group_by:
   state
   county
 aggregate:
   airport_count is count()
   average_elevation is avg(elevation)
}

Comparatively, this statement is easier to build an intuition for, despite many of you likely dabbling with a SELECT clause or two in your time? Kinda cool.


No doubt some of you think I’m being pedantic thus far, perhaps that’s fair. We’ll inch towards Malloy’s more poignant features.

Recall from my opening preamble this sub-point: “about programming languages in general”?

There’s a lot we do syntactically in general-purpose programming languages that, for whatever reason, haven’t found their way into SQL. Par example, in Python, Go, JavaScript, Rust, Kotlin, etc., we define variables like so: variable name = value.

In SQL, unfortunately, we invert this when creating column aliases (ie “max elevation” below):

SELECT
  max(base."elevation") as "max_elevation"
FROM '../data/airports.parquet' as base
ORDER BY 1 desc NULLS LAST

Why create this overhead? Again, think about it. If a software engineer was creating SQL from scratch today, this naming pattern wouldn’t fly. In Malloy, aliases are defined like variables are in programming languages:

run: duckdb.table('../data/airports.parquet') -> {
 aggregate: max_elevation is max(elevation)
}

Nice, progress. What else can we glean from programming languages?

Well, recall that “nested datasets” (ie datasets derived from other datasets) in SQL can become a bit of a mess:

SELECT customer_name, total_order_value
FROM (
   SELECT o.customer_name,
          SUM(oi.price * oi.quantity) AS total_order_value
   FROM orders o
   JOIN order_items oi ON o.order_id = oi.order_id
   GROUP BY o.customer_name
) AS customer_orders

But why are they particularly unwieldy in SQL? Nested calculations aren’t unique to data queries. In programming languages, like Python for example, you’ll often “nest” a function within another function (often called a “callback function”).

To make these nested functions more legible, it’s very much common practice to assign a variable name to the “callback” like so:

def callback_function():
   print("Callback executed!")

def main_function(callback):
   # Do something...
   callback()  # Execute the callback function

main_function(callback_function)  # Outputs: "Callback executed!"

Notice how using named expressions makes the “nested function” (ie main_function()), easier to wade through? The same is true for SQL.

Whilst you certainly can assign names to expressions in SQL, they’re not required. People are some confluence of busy & lazy; if you don’t encourage a desired action, you may not see it. Malloy, on the other hand, mandates named expressions.

The below code literally won’t run if the output of its “aggregate” calculation isn’t named (ie “max_elevation”):

# This code works:

run: duckdb.table('../data/airports.parquet') -> {
 aggregate: max_elevation is max(elevation)
}

# This code doesn't work:

run: duckdb.table('../data/airports.parquet') -> {
 aggregate: max(elevation)
}

Perhaps these examples still seem like small wins, but they embody how historical decisions benefit from present context. In tandem, these wins inculcate a broader point: Malloy has rethought SQL to the nth degree. No suboptimal clause or pattern is safe.


Whilst I tend to feel the magnetic pull of micro-optimisations (the trade-offs are fascinating); Malloy also introduces new functionality that we should make time to appreciate. Namely, a semantic layer.

Recall, SQL doesn’t have a semantic layer itself. It outsources this work to companies that build (& often monetise) semantic layers. Nothing wrong with this per se, but it can precipitate the dreaded “vendor lock-in”.

Unsurprisingly, Malloy’s semantic layer rhymes with Looker’s. When you want to save common calculations (remember “measures” in LookML), you can do so, along with “dimensions”, “joins”, etc.

Let’s have a look:

source: airports is duckdb.table('../data/airports.parquet') extend {
 dimension: county_and_state is concat(county, ', ', state)
 measure: airport_count is count()
 measure: average_elevation is avg(elevation)
}

We initialise semantic layers in Malloy with the source keyword. No ambiguity here, if you spot source, you know some sweet, sweet, semantic meaning is going down.

Note that, again, much like in LookML, our semantic layer is derived from some original table (ie duckdb.table('../data/airports.parquet')).

We then “extend” this table with one “dimension” (county_and_state), and two “measures” (airport_count, average_elevation).

Good news is, we’ve already done the work to know what measures are. They are simply instructions for how to calculate subjective metrics (remember, “MAUs” for example).

We can then use these saved “measures” in future Malloy queries like so:

run: airports -> {
 group_by: county_and_state
 aggregate: airport_count
}


Dimensions are new to this primer, but common in semantic layers more generally. They’re used to further describe and transform your data. More good news. They’re quite simple to grok once placed under the lens of our example code:

source: airports is duckdb.table('../data/airports.parquet') extend {
 dimension: county_and_state is concat(county, ', ', state)
 measure: airport_count is count()
 measure: average_elevation is avg(elevation)
}

Here, the “dimension” (think new column) country_and_state, is the concatenation of two separate columns in our airports table (country and state). The resulting column, or “dimension”, of this column will look like so:


All quite simple, but some powerful & convenient functionality to have embedded in a query language directly. Nice work, Malloy.


No doubt some of you have picked up on the, ? subtle ?, irony present within this primer. A primer lambasting an unwieldy query language has become.. unwieldy.

There is, _so_ much more for us to dig into re. Malloy. The language’s approach towards query pipelines is particularly cool; the fact that you can structure your queries with freedom is too; and you’re all lucky I omitted several other micro-optimisations.

I’d encourage you to walkthrough Malloy’s quickstart at your leisure.

Lloyd, Michael, Carlin & the team are breaking rules in a way that would make Pablo himself proud. Art has a plethora of forms.