Skip to main content
View all authors

New (kind of) breadcrumbs nav, who dis?

ยท 2 min read

A screenshot of the new Console UI with navigation on the Datastore page

I tagged a new release as I deployed a new version of the Console UI to mainnet.

Aside from the updated navigation, which now displays the page title within breadcrumb-style navigation, and a few minor fixes, not much has changed feature-wise.

The biggest change in the frontend's codebase, which explains why so many files were touched, is a refactor to adopt the new pattern Iโ€™ve been using for DID declarations.

Instead of relying on auto-imported separate types, I now prefer grouping factories in a single module, exporting them from there, and importing the types through a suffixed module DID alias.

You can check out the pattern in Juno's frontend codebase or in the ic-client JS library. If you're curious about it, let me know.

Itโ€™s a small structural shift that makes the code much cleaner and more readable.

Finally, there are a few new E2E tests added in this repo and in the CLI.

To infinity and beyond ๐Ÿžโœจ
David

Offline Snapshots with the CLI

ยท One min read

Hi ๐Ÿ‘‹

Here is a small but handy update for your toolbox: you can now download and upload snapshots offline with the Juno CLI. ๐Ÿงฐ

That means you can:

  • Keep a local copy of your moduleโ€™s state
  • Stash it somewhere safe, just in case ๐Ÿ˜…
  • Restore it when needed
  • Or even move it between Satellites
juno snapshot download --target satellite
juno snapshot upload --target satellite --dir .snapshots/0x00000060101

Build & Run Scripts with โ€œjuno runโ€

ยท 2 min read

Say hello to juno run ๐Ÿ‘‹

Build custom scripts that already know your env, profile & config.
Write them in JS/TS.
Run with the CLI. โšก๏ธ

๐Ÿ’ on top? Works out of the box in GitHub Actions!

For example:

import { defineRun } from "@junobuild/config";

export const onRun = defineRun(({ mode, profile }) => ({
run: async ({ satelliteId, identity }) => {
console.log("Running task with:", {
mode,
profile,
satelliteId: satelliteId.toText(),
whoami: identity.getPrincipal().toText()
});
}
}));

Run it with:

juno run --src ./my-task.ts

Now, letโ€™s suppose you want to fetch a document from your Satelliteโ€™s Datastore (โ€œfrom your canisterโ€™s little DBโ€) and export it to a file:

import { getDoc } from "@junobuild/core";
import { defineRun } from "@junobuild/config";
import { jsonReplacer } from "@dfinity/utils";
import { writeFile } from "node:fs/promises";

export const onRun = defineRun(({ mode }) => ({
run: async (context) => {
const key = mode === "staging" ? "123" : "456";

const doc = await getDoc({
collection: "demo",
key,
satellite: context
});

await writeFile("./mydoc.json", JSON.stringify(doc, jsonReplacer, 2));
}
}));

Fancy โœจ

And since itโ€™s TS/JS, you can obviously use any libraries to perform admin tasks as well.

import { defineRun } from "@junobuild/config";
import { IcrcLedgerCanister } from "@dfinity/ledger-icrc";
import { createAgent } from "@dfinity/utils";

export const onRun = defineRun(({ mode }) => ({
run: async ({ identity, container: host }) => {
if (mode !== "development") {
throw new Error("Only for fun!");
}

const agent = await createAgent({
identity,
host
});

const { metadata } = IcrcLedgerCanister.create({
agent,
canisterId: MY_LEDGER_CANISTER_ID
});

const data = await metadata({});

console.log(data);
}
}));

Coolio?

Iโ€™ll demo it next Monday in Juno Live. ๐ŸŽฅ https://youtube.com/@junobuild

Happy week-end โ˜€๏ธ

Labels & Quick Access in Console

ยท One min read

Hi ๐Ÿ‘‹

A new release is out โ€” v0.0.56 ๐Ÿš€

This release focuses on frontend changes in the Console:

  • You can now label your Satellites with environment flags and tags. These appear in the launchpad, switcher, and overview. On the launchpad, they can also be used as search filters to quickly find the right Satellite.
  • A new navigation feature โ€“ called โ€œSpotlightโ€ or โ€œQuick Accessโ€ โ€“ lets you jump anywhere in the Console or run actions (such as changing the theme) in seconds. Open it with the search icon in the navbar or by pressing Ctrl/Cmd + K.

Hopefully these make building with the Console a little more fun (and faster)!

Console label & quick access UI

Spotlight / Quick Access UI

Passkeys Authentication Is Here

ยท 6 min read


Authentication is a core part of building any app. Until now, developers on Juno have relied on third-party providers like Internet Identity and NFID. Today we're providing a new option: Passkeys.

This new authentication option is available to all developers using the latest Juno SDK and requires the most recent version of your Satellite containers. You can now enable Passkeys alongside existing providers, and the JavaScript SDK has been updated to make authentication APIs more consistent across sign-in, sign-out, and session management.


๐Ÿ”‘ What Are Passkeys?โ€‹

Passkeys are a passwordless authentication method built into modern devices and browsers. They let users sign up and sign in using secure digital keys stored in iCloud Keychain, Google Password Manager, or directly in the browser with Face ID, Touch ID, or a simple device unlock instead of a password.

Under the hood, Passkeys rely on the WebAuthn standard and the web API that enables browsers and devices to create and use cryptographic credentials. Passkeys are essentially a user-friendly layer on top of WebAuthn.

When stored in a password manager like iCloud Keychain or Google Password Manager, passkeys sync across a userโ€™s devices, making them more resilient, though this does require trusting the companies that provide those services. If stored only in the browser, however, they can be lost if the browser is reset or uninstalled.

The good news is that most modern platforms already encourage syncing passkeys across devices, which makes them convenient for everyday use, giving users a smooth and safe way to log into applications.


๐Ÿค” Choosing Between Providersโ€‹

Each authentication method has its strengths and weaknesses. Passkeys provide a familiar, device-native login experience with Face ID, Touch ID, or device unlock, relying on either the browser or a password manager for persistence. Internet Identity and NFID, on the other hand, offer privacy-preserving flows aligned with the Internet Computer, but they are less familiar to mainstream users and involve switching context into a separate window.

When in doubt... why not both?

In practice, many developers will probably combine Passkeys and Internet Identity side by side, as we do in the starter templates we provide.

Ultimately, the right choice depends on your audience and product goals, balancing usability, privacy, and ecosystem integration.


๐Ÿš€ How to Use Passkeysโ€‹

Using the new Passkeys in your app should be straightforward with the latest JavaScript SDK.

To register a new user with a passkey, you call signUp with the webauthn option:

import { signUp } from "@junobuild/core";

await signUp({
webauthn: {}
});

For returning users, signIn works the same way, using the passkey they already created:

import { signIn } from "@junobuild/core";

await signIn({
webauthn: {}
});

As you can notice, unlike with existing third-party providers, using Passkeys requires a distinct sign-up and sign-in flow. This is because the WebAuthn standard is designed so that an app cannot know in advance whether the user has an existing passkey, and this is intentional for privacy reasons. Users must therefore explicitly follow either the sign-up or sign-in path.

It is also worth noting that during sign-up, the user will be asked to use their authenticator twice:

  • once to create the passkey on their device
  • and once again to sign the session that can be used to interact with your Satellite.

Given these multiple steps, we added an onProgress callback to the various flows. This allows you to hook into the progression and update your UI, for example to show a loading state or step indicators while the user completes the flow.

import { signUp } from "@junobuild/core";

await signUp({
webauthn: {
options: {
onProgress: ({ step, state }) => {
// You could update your UI here
console.log("Progress:", step, state);
}
}
}
});

๐Ÿ› ๏ธ Updates to the SDKโ€‹

Alongside introducing Passkeys, we also took the opportunity to clean up and simplify the authentication APIs in the JavaScript SDK.


Mandatory provider in signInโ€‹

important

This is a breaking change.

Previously, calling signIn() without arguments defaulted to Internet Identity. With the introduction of Passkeys, we decided to drop the default. From now on, you must explicitly specify which provider to use for each sign-in call. This makes the API more predictable and avoids hidden assumptions.

In earlier versions, providers could also be passed as class objects. To prevent inconsistencies and align with the variant pattern used across our tooling, providers (and their options) must now be passed through an object.

import { signIn } from "@junobuild/core";

// Internet Identity
await signIn({ internet_identity: {} });

// NFID
await signIn({ nfid: {} });

// Passkeys
await signIn({ webauthn: {} });

Page reload on signOutโ€‹

important

This is a breaking change.

By default, calling signOut will automatically reload the page (window.location.reload) after a successful logout. This is a common pattern in sign-out flows that ensures the application restarts from a clean state.

If you wish to opt out, the library still clears its internal state and authentication before the reload, and you can use the windowReload option set to false:

import { signOut } from "@junobuild/core";

await signOut({ windowReload: false });

authSubscribe renamed to onAuthStateChangeโ€‹

To make the API more consistent with the industry standards, we introduced a new method called onAuthStateChange. It replaces authSubscribe, which is now marked as deprecated but will continue to work for the time being.

The behavior remains the same: you can reactively track when a user signs in or out, and unsubscribe when you no longer need updates.

import { onAuthStateChange } from "@junobuild/core";

const unsubscribe = onAuthStateChange((user) => {
console.log("User:", user);
});

// Later, stop listening
unsubscribe();

๐Ÿ“š Learn Moreโ€‹

Passkeys are now available, alongside updates to the authentication JS APIs. With passwordless sign-up and sign-in built into modern devices, your users get a smoother experience.

Check out the updated documentation for details on:


๐Ÿ‘€ What's Nextโ€‹

Passkeys are available today for developers building with Satellite containers and the JavaScript SDK.

Next, we'll bring Passkey support directly into the Console UI, so new developers can register easily and you can too.

To infinity and beyond,
David


Stay connected with Juno by following us on X/Twitter.

Reach out on Discord or OpenChat for any questions.

โญ๏ธโญ๏ธโญ๏ธ stars are also much appreciated: visit the GitHub repo and show your support!

Faster Deploys & Precompression

ยท One min read

Hi ๐Ÿ‘‹

A new release is out โ€” v0.0.54 ๐Ÿš€

Here are a few highlights:

โšก๏ธ Faster deploys with proposals batching
๐Ÿ“ฆ Smarter precompression (optional Brotli + replace mode)
๐Ÿ”€ Redirects fixed
โœจ Shinier experience when deploying in your terminal

Checkout the release notes for details ๐Ÿ‘‰ Release v0.0.54 ยท junobuild/juno

Example of the new configuration option precompress:

export default defineConfig({
satellite: {
ids: {
production: "qsgjb-riaaa-aaaaa-aaaga-cai"
},
source: "dist",
precompress: {
algorithm: "brotli",
pattern: "**/*.+(css|js|mjs|html)",
mode: "replace"
}
}
});

Freezing, Gzip, & Console Enhancements

ยท 2 min read

Hi ๐Ÿ‘‹

A new release is out โ€” v0.0.52 ๐Ÿš€

Here are a few highlights:
๐ŸงŠ Longer default freezing thresholds
โœ… Gzipped HTML
๐Ÿ” Allowed Callers
๐Ÿ›  CLI Improvements
๐Ÿ–ฅ Polished Console UI

Checkout the release notes for details ๐Ÿ‘‰ Release v0.0.52 ยท junobuild/juno

Let me know if anything looks fishy โ€” and happy coding! ๐Ÿ‘จโ€๐Ÿ”ง


๐Ÿ–ฅ๏ธ Two screenshots from the Console new features

The new โ€œNotificationsโ€ component:

Notifications UI

The overall look: collapsible menu, redesigned tabs, more prominent actions, and more.

Console UI Update


As a side note on this release: aside from the custom domain feature, I think itโ€™s now possible to configure your entire project โ€” including authentication, data, storage, and emulator โ€” directly within the Juno config file. Plus with type safety as the cherry on top.

This is especially handy for maintainability or if your project can be forked.

Hereโ€™s an example config that shows where and how the project is deployed, which headers to apply to assets, defines the structure of that data, and which image to use when running the emulator with Podman:

import { defineConfig } from "@junobuild/config";

/** @type {import('@junobuild/config').JunoConfig} */
export default defineConfig({
satellite: {
ids: {
development: "jx5yt-yyaaa-aaaal-abzbq-cai",
production: "fmkjf-bqaaa-aaaal-acpza-cai"
},
source: "build",
predeploy: ["npm run build"],
storage: {
headers: [
{
source: "**/*.png",
headers: [["Cache-Control", "max-age=2592000"]]
}
]
},
collections: {
datastore: [
{
collection: "notes",
read: "managed",
write: "managed",
memory: "stable"
}
]
}
},
emulator: {
runner: {
type: "podman"
},
satellite: {}
}
});

Documentation ๐Ÿ‘‰ https://juno.build/docs/reference/configuration

Build and Publish Serverless Functions with GitHub Actions

ยท 7 min read


One of the principles that shaped Juno from day one was the idea of building apps with full ownership โ€” no hidden infrastructure, no opaque servers.

No hypocrisy either.

If developers are encouraged to deploy code in containers they control, it feels inconsistent to rely on centralized infrastructure โ€” like AWS or other Web2 cloud providers โ€” to manage deployment pipelines or run the platform. With the exception of email notifications, Juno currently runs entirely on the Internet Computer โ€” and that's a deliberate choice.

That doesn't mean being stubborn for the sake of it. It just means trying to push things forward without falling back on the old way unless absolutely necessary.

At the same time, developer experience matters โ€” a lot. It shouldn't take a degree in DevOps to ship a backend function. Developers who would typically reach for a serverless option should be able to do so here too. And for those who prefer to stay local, it shouldn't feel like a downgrade โ€” no one should be forced into CI automation if they don't want to.

That's why the new GitHub Actions for serverless functions are now generally available โ€” for those who want automation, not obligation.


๐Ÿš€ Automated Deployments, No Compromiseโ€‹

With the latest release, it's now possible to:

  • Build serverless functions written in TypeScript or Rust
  • Automatically publish them to a Satellite
  • Optionally propose or directly apply upgrades

All within a GitHub Actions workflow. No manual builds, no extra setup โ€” just code, commit, and push.

This makes it easier to fit Juno into an existing CI/CD pipeline or start a new one from scratch. The logic is bundled, metadata is embedded, and the container is ready to run.


๐Ÿ” What About Security?โ€‹

You might ask yourself: "But what about the risk of giving CI full control over my infrastructure?"

That's where the improved access key (previously named "Controllers") roles come in.

Instead of handing over the master key, you give CI just enough access to do its job โ€” and nothing more.

Here's how the roles break down in plain terms:

  • Administrator โ€“ Full control. Can deploy, upgrade, stop, or delete any module. Powerful, but risky for automation. Might be useful if you're spinning up test environments frequently.

  • Editor (Write) โ€“ Ideal for CI pipelines that deploy frontend assets or publish serverless functions. Can't upgrade those or stop and delete modules. A good default.

  • Submitter ๐Ÿ†• โ€“ The safest option. Can propose changes but not apply them. Someone still needs to review and approve in the Console or CLI. No surprises, no accidents.

Use Editor for most CI tasks โ€” it gives you automation without opening the blast radius.

Prefer an extra layer of review? Go with Submitter and keep a human in the loop.


๐Ÿงฐ Local or CI: Your Choiceโ€‹

Nothing changes in the approach for developers who prefer local development. The CLI remains a first-class tool for building and deploying.

All the new capabilities โ€” from publishing functions to proposing or applying upgrades โ€” are available not just in GitHub Actions or the Console UI, but also fully supported in the CLI.

In fact, the CLI has been improved with a neat addition: you can now append --mode development to interact with the emulator. This allows you to fully mimic production behavior while developing locally. And of course, you can also use any mode to target any environment.

juno functions upgrade --mode staging
juno deploy --mode development

๐Ÿ›ฐ๏ธ Satellite's CDNโ€‹

While building serverless functions was never an issue, enabling GitHub Actions to publish and deploy without giving away full control introduced a challenge. How do you let CI push code without handing it the keys to everything?

That's where the idea of a sort of CDN came in.

Each Satellite now has a reserved collection called #_juno/releases. It's like a staging area where CI can submit new WASM containers or frontend assets. If the access key has enough privileges, the submission is deployed right away. If not, it's stored as a pending change โ€” waiting for someone to approve it manually via the Console or CLI.

This builds on the change-based workflow that was added to the Console last year. Funny enough, it brought the Console so close to being a Satellite itself that it became... basically a meta example of what you can build with Juno.

And here's the cherry on top: because there's now a CDN tracking versions, developers can rollback or switch between different function versions more easily. A new CDN tab in the Console UI (under Functions) gives you access to all past versions and history.


๐Ÿ–ผ๏ธ Frontend Deployments, Tooโ€‹

Frontend deployment now benefits from the same change-based workflow. By default, when you run juno deploy or trigger a GitHub Action, the assets are submitted as pending changes โ€” and applied automatically (if the access key allows it).

Want to skip that workflow? You still can. The immediate deployment path remains available โ€” handy if something fails, or if you just prefer to keep things simple.


๐Ÿ› ๏ธ GitHub Actions for Serverless Functionsโ€‹

Alright, enough chit-chat โ€” here's how to publish your serverless functions on every push to main, straight from CI:

publish.yml
name: Publish Serverless Functions

on:
workflow_dispatch:
push:
branches: [main]

jobs:
publish:
runs-on: ubuntu-latest
steps:
- name: Check out the repo
uses: actions/checkout@v4

- uses: actions/setup-node@v4
with:
node-version: 22
registry-url: "https://registry.npmjs.org"

- name: Install Dependencies
run: npm ci

- name: Build
uses: junobuild/juno-action@full
with:
args: functions build

- name: Publish
uses: junobuild/juno-action@full
with:
args: functions publish
env:
JUNO_TOKEN: ${{ secrets.JUNO_TOKEN }}

๐ŸŒธ One Action, Two Flavorsโ€‹

Noticed the @full in the previous step?

That's because the GitHub Action now comes in two flavors:

  • junobuild/juno-action or junobuild/juno-action@slim โ€“ perfect for common use cases like deploying frontend assets or running simpler CLI tasks. No serverless build dependencies included, so it's faster and more "lightweight" (relatively, it still uses Docker underneath...).

  • junobuild/juno-action@full โ€“ includes everything you need to build and publish serverless functions, with Rust and TypeScript support. It's heavier, but it does the job end to end.

The right tool for the right job. Pick what fits.


๐Ÿงญ Where This Is Goingโ€‹

This release isn't just about smoother deployments โ€” it's a step toward making Juno feel like real infrastructure. Though, what is โ€œreal infrastructureโ€ anyway? Whatever it is, this one doesn't come with the usual baggage.

Developers get to choose how they ship โ€” locally or through CI. They get to decide what gets deployed and who can do it. They're not forced to rely on some big tech platform for their infra if they don't want to. And thanks to the new CDN and access control model, fast iteration and tight control can finally go hand in hand.

If you've been waiting for a way to ship backend logic without giving up on decentralization โ€” or if you just like things working smoothly โ€” this one's for you.

Go ahead. Build it. Push it. Submit it. Ship it.

To infinity and beyond,
David


Stay connected with Juno by following us on X/Twitter.

Reach out on Discord or OpenChat for any questions.

โญ๏ธโญ๏ธโญ๏ธ stars are also much appreciated: visit the GitHub repo and show your support!

Analytics Campaign Tracking

ยท One min read

Hi ๐Ÿ‘‹

A new release v0.0.50 is out! ๐Ÿš€

This one brings two improvements to the Analytics:

๐Ÿ“ฃ Campaign tracking is now supported! Just use standard UTM tags in your links โ€” traffic sources like newsletters, ads, and social posts will show up directly in your dashboard. No extra setup needed.

# For example
https://myapp.com/?utm_source=newsletter&utm_medium=email&utm_campaign=spring-launch

๐Ÿค– Bot detection has also been improved by using HTTP headers directly from the container smart contract (instead of those passed in the requests). More accurate and secure that way.

Enjoy! ๐Ÿงช๐Ÿ“Š


Analytics UTM tracking