Spreadsheet for programmers where XSS is a feature, not a bug.
Warning
This is alpha-quality code. It is likely to have bugs. The APIs are not yet stable, so things like spreadsheet links may break as the code is updated.
Code Grid is a web-based spreadsheet that is designed to be easy to extend.
- Write new formula functions using JavaScript
- Create HTML elements inside cells
- Navigate with Vim keybindings
- Build small applications that are easy to share and modify
- Never send data to a back end – Code Grid runs fully client-side
- Make charts and graphs
- Create interactive applications
- Write formulas using Python (via Pyodide)
- Split receipts using OpenCV
- Write custom parsers with ease
- Constrained optimization and mixed-integer linear programming using SCIP
- DJ from a spreadsheet
- Modify Code Grid internals from formulas
- TODO simple spreadsheet
- TODO LaTeX
- TODO Keystone and unicorn
Use the help menu within Code Grid to access a tutorial.
Formulas begin with an equals sign (=), and can contain:
- Numbers such as 123and-3.21
- Strings such as "asdf"and"multi\nline"
- Singleton references in R1C1 notation such as R10C3(zero-indexed) for absolute references,R[-1]c[2]for relative references, andRCfor self-references- Negative absolute references start from the end of a row or column, such as
R-1C-1to select the cell in the bottom right corner of the sheet, andR1C0:R1C-1to select all of row 1
 
- Negative absolute references start from the end of a row or column, such as
- Ranges such as R[-3]C:R[-1]C
- References and ranges across sheets like S1!R1C1andS[1]!R2C2:R2C-1andS-1R2C3(the exclamation point is optional)
- Function calls (case insensitive) containing expressions as arguments such as
sum(RC0:RC[-1]),sLiDeR(0, 10, 1), andDOLLARS(PRODUCT(1 * 2 + 3, 4, 3, R[-1]C))
- Optionally parenthesized binary operations combining any of the expressions
above such as (RC[-2] + RC[-3]) * 100and1 + -2 + 3 ** 5
The formula language above can be extended by adding new formula functions. Formula functions are written in JavaScript from the Code Grid user interface, and saved alongside sheet data.
To register formula functions, add them to the functions object.
functions.digits = (n) => {
  // Compute the number of digits that n has
  let result = 0;
  while (n > 0) {
    result++;
    n = Math.floor(n / 10);
  }
  return result;
}Registered functions will become available within formulas. In this example,
=DIGITS(1234) will put the value 4 in the cell.
Click to read about advanced formula functions
Formula functions can be async. They will be awaited automatically by the Code
Grid runtime. Cells that depend on async formulas will only update when the
dependencies' promises resolve.
functions.crypto = async (ticker) => {
  return await fetch("https://api.gemini.com/v1/pricefeed", { cache: "force-cache" })
    .then((r) => r.json())
    .then((l) => Number(
      l.filter((o) => o.pair === ticker.toUpperCase() + "USD")[0].price,
    ));
}Formula functions declared using function() { /* */ } syntax are passed a
this object that enables advanced functionality.
JavaScript arrow functions (such as x => x + 1) are not passed a this
object! This is inherent to JavaScript. To use this in formula functions,
the functions must be declared using function(){} syntax. To quote
MDN:
An arrow function expression is a compact alternative to a traditional function expression, with some semantic differences and deliberate limitations in usage:
- Arrow functions don't have their own bindings to
this,arguments, orsuper, and should not be used as methods.
The this object passed to formula functions when they execute contains:
- this.rowand- this.col– the current row and column, respectively
- this.set– a function that sets the cell's value to whatever parameter it is passed- Useful for updating the cell value asynchronously or in callbacks
 
- this.update– a function that takes a callback, where the callback takes the previous cell value and returns the value to set the cell to- Useful for updating the cell value based on the previous one
 
- this.element– an HTML element that will be put in the cell if defined
- this.style– the style attribute passed to the cell's- <td>element
The element can be set to add custom displays or interfaces to a sheet. For
example, to add marquees:
functions.marquee = function(x) {
  // Wrap whatever element was set before
  const oldElement = this.element;
  this.element = document.createElement("marquee");
  this.element.appendChild(
    oldElement ?? document.createTextNode(x)
  );
  // Return the input value so this cell can still be used in formulas
  return x;
}The following advanced example adds a formula function for interactive
checkboxes. The output value of the formula is the checked state of the box. Note
the use of this.set in the callback to update the cell's value upon
interaction, and this.update to set the initial value of the checkbox. Setting
the initial value means the checkbox state is saved and loaded from the URL.
functions.checkbox = function (label) {
  let value;
  this.update((previous) => {
    value = previous;
    return previous;
  });
  this.element = Object.assign(document.createElement("label"), {
    innerText: label,
    style: "display: flex; align-items: center; gap: 1ch; margin: 0 0.5em;",
  });
  this.element.appendChild(
    Object.assign(document.createElement("input"), {
      type: "checkbox",
      style: "appearance: auto;",
      checked: value,
      oninput: (e) => this.set(e.target.checked),
    }),
  );
  return value;
};The style can be set to alter the display of the cell. For example, to make
the cell's text centered:
functions.center = function(x) {
  this.style += "text-align: center;"
  return x;
}The set function is useful in interactive element callbacks, as demonstrated
above. It is also useful for functions that run on a timeout or interval. For
example:
functions.sleep = async function(ms) {
  // Will say "sleeping" until complete
  this.set("Sleeping...");
  await new Promise(r => setTimeout(r, ms));
  return "Complete!";
}
functions.time = function() {
  // Will auto-update once per second with the Unix time
  setInterval(() => this.set(Date.now()), 1000);
  return Date.now();
}Click to read about operator overloading
In Code Grid formulas, infix operators (such as +) are compatible with the
same types as the corresponding JavaScript operator. For example, it is equally
valid to do "x" + "y" or 3 + 2 in formulas, since addition works on both
strings and numbers in JavaScript. Using the same infix operator (+) for
different operations on different types is called "operator overloading."
Code Grid allows users to extend infix operations to work on more complex types through advanced operator overloading. To make a type use a custom operation for an infix operator, define a method with the same name as that operator. That's it. For binary operations, the implementing method should take one argument. For unary operations, the method should take no arguments.
For example, we could implement vectors that support element-wise addition:
class Vector {
  constructor(a) {
    this.elements = a;
  }
  
  toString() {
    return "<" + this.elements.join(", ") + ">";
  }
  
  ["+"](v) {
    return new Vector(this.elements.map((x, i) => x + v.elements[i]));
  }
}
functions.v = (...a) => new Vector(a);Then, the following would be a valid Code Grid formula that would evaluate to
<1, 2, 3>, even though adding vector objects in JavaScript would throw an
error:
=v(0, 3, 1) + v(1, -1, 2)
We could also implement overloading of the unary ~ operator to switch the sign
of all vector elements by adding the following method to the Vector class:
class Vector {
  // ...
  // ~<1, -1, 3> => <-1, 1, -3>
  ["~"]() {
    return new Vector(this.elements.map(x => -x));
  };
  // ...
}Consider operations between different types. For example, if we want to
implement vector-scalar subtraction, we will need to handle <vector> - scalar
as well as scalar - <vector>.
When evaluating an infix operation x op y, Code Grid first tries x.op(y),
then x.op.forward(y), then y.op.reverse(x), finally falling back on the
default operator implementation if nothing else works. In this example, we will
implement <vector> - scalar in the forward method, and scalar - <vector>
in the reverse method:
class Vector {
  // ...
  ["-"] = {
    // <v> - s
    forward: (s) => new Vector(this.elements.map(x => x - s));
    // s - <v>
    reverse: (s) => new Vector(this.elements.map(x => s - x));
  };  // The trailing semicolon is important!
  // ...
}The links below are listed in the order the code should be read to understand the application from the highest to lowest level.
- Makefile– build and run the application locally
- index.htmland- src/App.svelte– entrypoint to the main, high-level application (the index page mounts the App)
- src/Table.svelteand- src/Cell.svelte– interactive spreadsheet UI code
- src/classes.svelte.js– classes that manage state throughout the application- Sheet.newCellis responsible for reactively rederiving the store that computes a cell's value; it is run whenever the cell's value changes
 
- src/store.js– implementation of "rederivable" stores that can change their derived dependencies without invalidating their object reference- Every cell's value is a rederivable store that is rederived when its formula changes, and updated whenever any of its dependencies' values changes
 
- src/formula.js– formula parsing logic
- src/parsers.js– parser combinator library used for formula parsing
- src/keyboard.js– mapping of keyboard shortcuts to handlers
- src/*.svelte– UI components
- src/formula-functions.js– "standard library" formula functions available in every spreadsheet- Includes functionality to evaluser code and add functions to the formula function object
 
- Includes functionality to 
- src/global.cssand- public/*– global stylesheet, favicons, etc.
- src/compress.js– compress and decompress text using PNGs
- test/*– test suite and related functions
- Spreadsheet formulas are built on a custom Svelte store that is "rederivable." It functions like a Svelte derived store, except it can add or remove dependencies it is derived from without changing its object reference.
- The menu implementation (and the right click menu) features advanced usage of the new Svelte snippets feature, and would have been much harder to build (maybe even impossible) using slots in Svelte 4.
- Formulas are parsed using a custom parser combinator implementation.
- The SVG favicon uses CSS to invert its own colors based on user light/dark-mode preferences.
- All spreadsheet data is saved to the URL, so sheets can be shared without using a storage back end or database.
- Spreadsheet URLs are
compressed
by setting <canvas>element pixel data to the serialized sheet bytes, and having the browser convert the canvas to a PNG (since pixel data is ZLIB compressed in PNG files).
Install NodeJS if you do not already have it. Once NodeJS is installed, to run Code Grid locally, you only need to run the following inside the repository:
make devTo build a static version of the code to host elsewhere, run:
make buildThe static, compiled files for Code Grid will be generated in the dist/
subdirectory.
Cross-Site Scripting (XSS) is a class of web security vulnerabilities in which users can execute their own (potentially malicious) code on someone else's website. Usually it is caused by a mistake made by the website owner. In this case, I am deliberately letting you execute your code on my website to make Code Grid do whatever you want.
Clicking Code Grid links can be risky, because the links can run arbitrary code. Only click links from those you trust. Links running code in your browser means that those links:
- Can impersonate my website
- Can redirect to malicious pages
- Can steal locally stored data about other Code Grid spreadsheets
- Can make requests to other websites to upload or download data
See the list of bugs at the bottom of TODO.md.
Code Grid is under active development.
Bug reports and feature requests via GitHub Issues are encouraged. Pull requests with more than 20 lines of code are unlikely to be merged quickly, unless attached to prior discussion or accompanied by substantial, explanatory, English prose. In other words, pull requests containing code without context may be merged after much delay, or may not be merged at all.
Since Code Grid is a fully static web application with no server-side processing, it is extremely scalable, and has a very low maintenance burden. As such, even if something were to happen to me, and I could not continue to work on the project, the public version should continue to remain functional and available online as long as my GitHub account is open, and jstrieb.github.io domain is active.
The best ways to support the project are to:
- Share the project on sites like Twitter, Reddit, and Hacker News
- Report any bugs, glitches, errors, or shortcomings that you find
- Star the repository and follow me on GitHub
- Host a version of the code translated into another language
If you insist on spending money to show your support, please do so in a way that benefits as many people as possible. In particular, donations to the following organizations help me, as well as the general, Internet-using public:
Thanks to Logan Snow for consulting on all manner of web esoterica, and for testing many versions of Code Grid. Check out Listable for a different take on achieving tranquility through web-based tables.
Thanks to Amy Liu for feedback on early versions of Code Grid, and for continued demonstration of great patience and tolerance, despite my incurable penchant for mischief.
Shout out to Ella Liu for doing a full financial model in a very early version of Code Grid. It's not easy for Excel-loving bankers to use other spreadsheet software; her struggle drove feature development that has benefited us all.
Shout out to Chris Cherian for being a suspiciously enthusiastic early adopter, and for consistently providing invaluable user feedback based on real use cases (which were more helpful than my imagined ones).
