How to Build a View Counter for Your Astro Blog Using Server Islands
As my blog slowly accumulates posts, I started wondering how many views each one was getting. Although I have analytics set up for this site, there’s no convenient way to use that information to do something like add a section of the most popular posts to the landing page. I decided that a bare-bones implementation of a view counter would help me accomplish two things:
- Automatically display popular posts in a component on the landing page or wherever else.
- Add a bit of old-internet charm to my posts by displaying the view count.
I found several tutorials that implement a view counter in a few different ways, including using Server Islands and Astro db, a normal Astro component and an external service, and a Svelte component with Astro db.
I started out trying to build it with Astro db, but quit once I realized that there is no documented way to deploy the DB locally in production. I strive for simplicity whenever possible, so the prospect of setting up a remote LibSQL service like Turso only for a dinky view counter was very unappealing. There had to be another way!
Requirements
- Completely local deployment. No remote databases or connections. No third-party services.
- Minimal dependencies. Add as little as possible to the project.
- No page-load overhead. The page speed shouldn’t be affected by the component.
Solution
- SQLite was an obvious choice. Small, local, and fast. Since my blog isn’t serving thousands of views per second, there is minimal concern about concurrency and scalability. Concurrency in SQLite has been overstated as an issue for a long time, considering WAL mode was introduced in 2010. It’s safe to say it won’t be an issue in my use case, which doesn’t require extremely robust durability anyway.
- Again, SQLite wins here. We can get it up and running with just a few packages and 0 vendor lock-in by using better-sqlite3 and drizzle-orm (if you want an ORM).
- To accomplish this, we’re going to take advantage of Astro’s relatively new Server Islands, which will let us serve our prerendered content in full and then swap in the dynamic view counter when its ready on the server. This has a few advantages in my eyes:
- Since we’re not using a framework component, we don’t have to install an entire JS framework as a dependency.
- Since all reads and writes to the database are handled on the server, which then passes rendered HTML to the client, the database operation always happens in a consistent environment and we maintain a strong separation between client and server.
- The page finishes loading before the view counter renders, so even if the user has a slow internet connection, the view counter doesn’t affect their page load time.
So let’s get to it.
Steps
1. Set up the DB
We’re going to install better-sqlite3 and drizzle-orm, although you’re more than welcome to do this without an ORM, and it might be overkill for a single table.
npm install drizzle-orm better-sqlite3
Then we’re going to create a folder called lib
at src/lib/
, and two files, lib/schema.ts
and lib/db.ts
.
Inside `schema’, we’ll define our database table:
import { sqliteTable, text, integer } from 'drizzle-orm/sqlite-core';
export const Views = sqliteTable('Views', {
slug: text('slug').primaryKey(),
count: integer('count').default(1),
});
Here we’re using drizzle to define a table called Views
that uses the slug as a primary key and an integer for count. That’s it!
Then, in db
, we’ll set up the client:
import Database from 'better-sqlite3';
import { drizzle } from 'drizzle-orm/better-sqlite3';
import { mkdir } from 'fs/promises';
import { existsSync } from 'fs';
import { dirname } from 'path';
import { Views } from './schema';
const DB_PATH = './data/astro.db';
async function ensureDirectoryExists() {
const dir = dirname(DB_PATH);
if (!existsSync(dir)) {
await mkdir(dir, { recursive: true });
}
}
async function setupDatabase() {
await ensureDirectoryExists();
const sqlite = new Database(DB_PATH);
const db = drizzle(sqlite);
// Check if Views table exists
const tableExists = sqlite.prepare(
"SELECT name FROM sqlite_master WHERE type='table' AND name='Views'"
).get();
if (!tableExists) {
console.log('Creating Views table...');
sqlite.exec(`
CREATE TABLE IF NOT EXISTS Views (
slug TEXT PRIMARY KEY,
count INTEGER DEFAULT 1
)
`);
}
return db;
}
export const dbClient = await setupDatabase();
Here, we’re doing a few things.
- Create the directory if it doesn’t exist.
- Connect to the database.
- Check if the
Views
table exists, and if not, create it. - Export the
dbClient
for use elsewhere.
Warning! If you plan to expand your DB schema later, you're much better off using Drizzle migrations. However, since this is only one table with two columns, I've opted to directly create the table in db.ts and define its types separately. This means that if I want to make any changes, I will need to make sure that both match, increasing the chances of a mistake. It's up to you. I decided that the upfront complexity of setting up migrations wasn't worth it for my use case.
Additionally, I've chosen not to seed the database with all articles, instead creating records only once they're needed.
2. Implement the view counter
To use Server Islands, we’re going to need to install an adapter. I am using the node on-demand rendering adapter and keeping all of my content static by using the following setting in my astro.config.mjs
:
output: 'static',
adapter: node({
mode: 'standalone',
}),
Just like before, all of my content will be prerendered by default, but we can make use of some additional server features.
Let’s take a look at our full ViewCounter.astro
and then break it down piece-by-piece.
---
import { Icon } from 'astro-icon/components';
import { dbClient } from '../lib/db';
import { Views } from '../lib/schema';
import { sql } from 'drizzle-orm';
const { slug } = Astro.props;
let item;
try {
// Upsert: insert a new row (with count 1) or, if it exists, increment the count.
item = await dbClient
.insert(Views)
.values({ slug, count: 1 })
.onConflictDoUpdate({
target: Views.slug,
set: { count: sql`count + 1` },
})
.returning({
slug: Views.slug,
count: Views.count,
})
.then((res) => res[0]);
} catch (error) {
console.error(error);
item = { slug, count: 1 };
}
---
<div class="inline-flex gap-2 items-center">
<div class="tooltip tooltip-primary tooltip-bottom" data-tip="View count">
<Icon name="bi:eye" size={25} />
</div>
<span>{item.count}</span>
</div>
<style>
.tooltip-primary {
--tooltip-text-color: white;
}
</style>
Here’s a breakdown of what’s happening:
- We’re getting all of our imports and then setting
slug
as a prop to pass into the component. If you remember, we’re using the slug as the primary key for our Views table, so we’ll use it to get the associated view count from our DB. - We’re doing the database operation:
try {
// Upsert: insert a new row (with count 1) or, if it exists, increment the count.
item = await dbClient
.insert(Views)
.values({ slug, count: 1 })
.onConflictDoUpdate({
target: Views.slug,
set: { count: sql`count + 1` },
})
.returning({
slug: Views.slug,
count: Views.count,
})
.then((res) => res[0]);
} catch (error) {
console.error(error);
item = { slug, count: 1 };
}
- First we insert a view count of 1 at the slug as a new row, but if that row already exists, then we take the existing count and increment it by 1.
- Then we return the slug and the count.
- Then we return the first element of the
res
array just for convenience’s sake. - Finally, we try to catch any potential errors and make sure that the item always has a view count of at least one.
- Finally, we display the count next to an eye icon and use a Daisy UI tooltip, although how you display the views is a matter of taste.
The final result looks like this, the same counter you saw at the top of this article:
(Yes, I specifically chose the article with the most views for this screenshot.)
3. Add it as a Server Island to our blog post layout.
Wherever you’re templating your blog post data, you can now use the component:
<ViewCounter server:defer slug={slug}>
<ViewCounterLoading slot="fallback"></ViewCounterLoading>
</ViewCounter>
The key elements here are the server:defer
directive, the slug
prop, and our fallback component, ViewCounterLoading
. server:defer
marks it as a Server Island and lets us slot in a fallback component, which will display until the HTML for our island is ready to display and sent to the client.
Our fallback component just looks exactly like our rendered component, but with three dots to represent loading and a default animation from Tailwind CSS. Here is that component in brief:
---
import { Icon } from 'astro-icon/components';
---
<div class="inline-flex gap-2 items-center">
<div class="tooltip tooltip-primary tooltip-bottom" data-tip="View count">
<Icon name="bi:eye" size={25} />
</div>
<span class="animate-pulse text-xl">...</span>
</div>
<style>
.tooltip-primary {
--tooltip-text-color: white;
}
</style>
4. Deploy
Now you’re ready to deploy. If you’re deploying using Docker, you’ll need to create a volume and the persistent directory on your server. Since I’m using Coolify to host my site, I’ll create a new Docker volume in the interface. The result is this:
Make sure the source directory exists on your host machine, and you should be good to go.
Deploy and enjoy.
Conclusion
I hope this was helpful! If you have questions, comments, or corrections, feel free to leave a comment at the bottom of this page. You can see more of my tutorials in the related posts box below. Happy building!