Thanks for reading my newsletter ❤️. This edition was delivered on Tuesday, March 4, 2025.

Tuesday, March 4, 2025

Best Day Of My Life

Let the photos do the talking.

Sunday, March 2, 2025

New Frameworks#youtube.com

The products Framework are putting out is inspiring. I'd love to eventually get a desktop (or maybe a laptop) personally for gaming and just running Linux on to mess around.

The slide where they present the Mac Studio vs the Framework Desktop at the $1999 price point is very good. It's a throwback to classic Apple keynotes.

Dictation Bug#theverge.com

Apple has acknowledged a peculiar bug with the iPhone’s dictation feature that briefly displays “Trump” when someone says the word “racist.” The Verge has been unable to reproduce the issue, but it picked up attention on Tuesday after a video demonstrating the strange substitution went viral on TikTok and other social media.

If this is an Apple engineer doing this nefariously this is wild.

Thursday, February 27, 2025

Big Split

In a random Hacker News thread I was reading I spotted this:

I'm increasingly coming to the view that there is a big split among "software developers" and AI is exacerbating it. There's an (increasingly small) group of software developers who don't like "magic" and want to understand where their code is running and what it's doing. These developers gravitate toward open source solutions like Kubernetes, and often just want to rent a VPS or at most a managed K8s solution. The other group (increasingly large) just wants to git push and be done with it, and they're willing to spend a lot of (usually their employer's) money to have that experience. They don't want to have to understand DNS, linux, or anything else beyond whatever framework they are using.

I completely agree that this is a thing. What I've come to realise more and more lately is that you should for the most part try to be part of the first group. You shouldn't trust the magic.

Some examples I'm pretty strong on now include:

No ORMs, just write SQL

Understand Linux and nginx, you should rent a VPS and run your code on it

I'm less familiar with Kubernetes so I can't really formulate a strong argument either way for that.

React Scan#youtube.com

I need to give react-scan a try. Seems like this would be an awesome tool for work for both our Next.js and React Native apps.

Argus Finals Series#en.wikipedia.org

They talked about the Argus Finals Series system on the Dan Does Footy podcast today. What a wild system.

So basically if you're the minor premier you were automatically through to the "final" with a double chance. What seemed to happen a lot (see 1913 finals series) was that the minor premier would lose a "final" but essentially get a 2nd chance "grand final".

A classic St Kilda moment (of bad luck) was this 1913 season when they won the "final" beating Fitzroy but then lost the "grand final" the following week again against Fitzroy.

Wednesday, February 26, 2025

Whimsical Animations#courses.joshwcomeau.com

Just the landing page alone made me sign up for the waiting list.

Hydration In React

Just for my own learning today I had a bit of a play around with React hydration and server side rendering (SSR).

Whilst I've used frameworks like Next.js and Remix I've never just done the "from scratch" implementation of React SSR.

Here were the steps I followed:

  1. Implement a basic GET endpoint, I'm using Elysia and bun, the call to html() essentially just calls the react-dom/server renderToString function and returns a Response
app.get("/test/ssr", async () => {
  const response = html({
    title: "Test SSR",
    meta: {
      description: defaultDescription,
      "theme-color": "#1c1917",
    },
    links: [],
    scripts: [{
      src: "/client.js",
      defer: true,
      type: "module",
    }],
    body: <Test />,
    styles: [GLOBAL_CSS],
  });

  return response;
})
  1. At this point all things are pretty standard, a GET request is sent to /test/ssr and a response is sent back to the client as HTML
  2. Note the /client.js file that's sent back to the browser as a script, best practise here in terms of naming the .js file is to use a hash (like main.9f8a7b6c.js), this is done for caching purposes, the main.9f8a7b6c.js file would have a long cache on it, if the bundle is updated a new file name (with a new hash) is generated, this ensures that the browser loads the new bundle and not the one that's cached
<head>
	<script src="/client.js" type="module" defer=""></script>
</head>
  1. This script loads after the HTML renders, it contains a bunch of React code which I've created using a build step
  2. Before the build step the client.js is actually a client.tsx file which looks like this
/// <reference lib="dom" />
import React from "react";
import { createRoot, hydrateRoot } from "react-dom/client";
import { Test } from "./pages/test"

const rootElement = document.getElementById("root");

if (!rootElement) throw new Error("Root element not found");

if (rootElement.innerHTML.trim().length) {
  hydrateRoot(rootElement, <Test />);
} else {
  createRoot(rootElement).render(<Test />);
}
  1. The <Test /> component has some tanstack-query setup and some basic React state
import React, { useState } from "react";
import { Something } from "../components/something";
import { Nav } from "../components/nav";
import {
  QueryClient,
  QueryClientProvider,
} from '@tanstack/react-query'

export const Test = () => {
  const [count, setCount] = useState(0);

  const queryClient = new QueryClient()

  return (
    <QueryClientProvider client={queryClient}>
      <div className={`max-w-xl mx-auto p-4 text-opacity-80 font-serif`}>
        <Nav />
        <button onClick={() => setCount(count + 1)}>Increment</button>
        <p>{count}</p>
        <Something />
      </div>
    </QueryClientProvider>
  );
}
  1. The <Something /> component actually uses tanstack-query with some sleep logic to replicate an API call
import { useQuery } from "@tanstack/react-query";

const sleep = (ms: number): Promise<void> => {
  return new Promise((resolve) => setTimeout(resolve, ms));
};

export const Something = () => {
  const { data, isLoading } = useQuery({
    queryKey: ["something"],
    queryFn: async () => {
      await sleep(5000);
      return "Something";
    },
  })

  return isLoading ? <p>Loading...</p> : <p>{data}</p>
}
  1. I need to bundle this code up so that the browser can interpret the JSX that I'm writing, I can use the bun build CLI tool to do this, I just need to pass the parent file (client.tsx) to the build tooling as it'll also bundle up the children, note that I'm also using uglifyjs to minify the JS making the resource size as small as possible esbuild is the best tool for this job, it keeps the bundle size small and is super fast
esbuild ./client.tsx --bundle --jsx=automatic --minify --sourcemap --outfile=./dist/client.js
  1. I then have a /client.js endpoint in my Elysia web server
app.get("/client.js", async () => {
  const path = "./dist/client.js";

  const file = Bun.file(path)

  return new Response(file, {
    headers: {
      "Content-Type": "application/javascript",
    },
  });
});
  1. For more complex pages with a lot of client side logic a good plan is to also include source maps, you just need to serve them to the browser and you'll get proper error messages and the correlating line numbers
app.get("/client.js.map", async () => {
  const path = "./dist/client.js.map";

  const file = Bun.file(path)

  return new Response(file);
});

When the client.js file executes in the browser the React hydration process occurs. The server HTML is compared to what React renders on the client. If this matches up you're all good. If it doesn't match up you'll get an error.

But essentially any code that's a child of client.tsx you can treat like traditional SPA style React. You have useState and you can handle async things inside of useEffect. You can use tools like tanstack-query or zustand for state management.