npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

astro-loader-github-releases

v1.1.0

Published

Aatro loader for loading GitHub release data from a given user or multiple repositories.

Downloads

111

Readme

astro-loader-github-releases

version jsDocs.io npm downloads

This package provides a GitHub releases loader for Astro. The loader supports two configurable modes, allowing you to load public release data either from a user's commit history or from a specified list of repositories.

Usage

To use the Astro loader, ensure Astro version ^4.14.0 || ^5.0.0-beta.0. For ^4.14.0, enable the experimental content layer in astro.config.ts:

export default defineConfig({
  experimental: {
    contentLayer: true,
  },
});

In src/content/config.ts, import and configure the GitHub releases loader to define a new content collection:

import { defineCollection } from "astro:content";
import { githubReleasesLoader } from "astro-loader-github-releases";

const githubReleases = defineCollection({
  loader: githubReleasesLoader({
    loadMode: /* 'userCommit' or 'repoList' */,
    modeConfig: {/* Config options based on `loadMode`. See below. */},
  }),
});

export const collections = { githubReleases };

Query the content collection like any other Astro content collection to render the loaded release data:

---
import { getCollection } from "astro:content";

const releases = await getCollection("githubReleases");
---

<ul>
  {
    releases.map((release) => (
      <li>
        {/* Entry structure varies by `loadMode`. See below. */}
        <a href={release.data.releaseUrl}>{release.data.repoName} - {release.data.releaseVersion}</a>
      </li>
    ))
  }
</ul>

To update the data, trigger a site rebuild, as the loader fetches data only at build time.

Configuration

The githubReleasesLoader function takes an object with the following options:

| Option (* required) | Type | Description | | ------------------- | ---------------------------- | ------------------------------------------------------------------------------------------------------------- | | loadMode* | 'userCommit' \| 'repoList' | Specifies the method to fetch GitHub release data (corresponding to different entries Zod Schema). | | modeConfig* | Record<string, any> | Configures options for the selected loadMode. |

In userCommit mode, the loader fetches release data from commit messages in push events for a specific GitHub user via the GitHub REST API endpoint (GET /users/{username}/events/public), with data retrieval limited to the past 90 days. This mode is useful for users who want to show their recent release activities. The modeConfig options includes:

| Option (* required) | Zod Type (defaults) | Description | | ------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------- | | username* | string | The unique username used to identify a specific GitHub account. | | keyword | string(defaults: 'release') | The keyword to filter push events' commit messages for releases. | | versionRegex | string(defaults: 'v?(\\d+\\.\\d+\\.\\d+(?:-[\\w.]+)?)(?:\\s\|$)') | Regular expression for matching version numbers in commit messages. The first capturing group in the regex will be used for the releaseVersion field. | | branches | string[](default: ['refs/heads/main', 'refs/heads/master', 'refs/heads/latest', 'refs/heads/stable', 'refs/heads/release', 'refs/heads/dev']) | The branches to monitor for push events. Filters out activities from other forks based on these refs. | | prependV | boolean (default: true) | Whether to prepend "v" to the releaseVersion field value. |

In repoList mode, the loader fetches release data from specified repositories via the GitHub GraphQL API, requiring a GitHub PAT with repo scope for authentication. By default, it retrieves all releases from the listed repositories, ideal for displaying data grouped by repository. The modeConfig options includes:

| Option (* required) | Type (defaults) | Description | | ------------------- | ------------------------------------------------------------ | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | | repos* | string[] | The repositories from which to load release data, each formatted as 'owner/repo'. | | sinceDate | Date \| null (defaults: null) | The date from which to start loading release data. If not specified, load all. See supported formats here. For example:"2024-11-01T00:00:00.000Z""2024-11-01""01/11/24" | | entryReturnType | 'byRelease' \| 'byRepository' (defaults: 'byRepository') | Determines whether entries are returned per repository or per individual release item. This option influences the Zod Schema of the loaded entries. | | githubToken | string (defaults: 'import.meta.env.GITHUB_TOKEN') | A GitHub PAT with at least repo scope permissions. Defaults to the GITHUB_TOKEN environment variable. If configured here, keep confidential and avoid public exposure. See how to create one and configure env vars in an Astro project. |

Note: userCommit mode updates entries incrementally, while repoList mode reloads all entries on each rebuild.

Schema

In userCommit mode, the Zod schema for the loaded collection entries is defined as follows:

/* User Commit Mode */
const ReleaseByIdFromUserSchema = z.object({
  id: z.string(),
  repoName: z.string(),
  repoUrl: z.string(),
  releaseVersion: z.string(),
  releaseUrl: z.string(),
  commitMessage: z.string(),
  commitSha: z.string(),
  commitUrl: z.string(),
  actorLogin: z.string(),
  actorAvatarUrl: z.string(),
  isOrg: z.boolean(),
  orgLogin: z.string().optional(),
  orgAvatarUrl: z.string().optional(),
  createdAt: z.string(),
})

In repoList mode, the Zod schema for the loaded collection entries is defined as follows:

/* Repo List Mode */
// entryReturnType: 'byRelease'
const ReleaseByIdFromReposSchema = z.object({
  id: z.string(),
  repoName: z.string(),
  repoUrl: z.string(),
  releaseVersion: z.string(),
  releaseUrl: z.string(),
  releaseTitle: z.string(),
  releaseDesc: z.string(),
  releaseDescHtml: z.string(),
  publishedAt: z.string(),
})

// entryReturnType: 'byRepository'
const ReleaseByRepoFromReposSchema = z.object({
  repo: z.string(),
  repoReleases: z.array(ReleaseByIdFromReposSchema),
})

Astro automatically applies this schema to generate TypeScript interfaces, providing full support for autocompletion and type-checking when querying the collection.

If you need to customize the collection schema, ensure it remains compatible with the built-in Zod schema to avoid errors. For additional fields you'd like to fetch, feel free to open an issue.