Add agentic workflows page to website

Add a new /workflows/ page for browsing agentic workflow definitions
with search, trigger/tag filters, and sorting. Follows the same
patterns as the existing hooks page.

New files:
- website/src/pages/workflows.astro
- website/src/scripts/pages/workflows.ts

Updated files:
- BaseLayout.astro: add Workflows nav link
- index.astro: add Workflows card to homepage
- pages/index.ts: add workflows to counts
- utils.ts: add workflow type to icons, labels, and getResourceType

Co-authored-by: Copilot <223556219+Copilot@users.noreply.github.com>
This commit is contained in:
Aaron Powell
2026-02-25 16:03:02 +11:00
parent a038e281db
commit f5ac976836
6 changed files with 307 additions and 1 deletions

View File

@@ -70,6 +70,10 @@ try {
href={`${base}hooks/`} href={`${base}hooks/`}
class:list={[{ active: activeNav === "hooks" }]}>Hooks</a class:list={[{ active: activeNav === "hooks" }]}>Hooks</a
> >
<a
href={`${base}workflows/`}
class:list={[{ active: activeNav === "workflows" }]}>Workflows</a
>
<a <a
href={`${base}plugins/`} href={`${base}plugins/`}
class:list={[{ active: activeNav === "plugins" }]} class:list={[{ active: activeNav === "plugins" }]}

View File

@@ -57,6 +57,14 @@ const base = import.meta.env.BASE_URL;
</div> </div>
<div class="card-count" data-count="hooks" aria-label="Hook count">-</div> <div class="card-count" data-count="hooks" aria-label="Hook count">-</div>
</a> </a>
<a href={`${base}workflows/`} class="card card-with-count" id="card-workflows">
<div class="card-icon" aria-hidden="true">⚡</div>
<div class="card-content">
<h3>Workflows</h3>
<p>AI-powered automations for GitHub Actions</p>
</div>
<div class="card-count" data-count="workflows" aria-label="Workflow count">-</div>
</a>
<a href={`${base}plugins/`} class="card card-with-count" id="card-plugins"> <a href={`${base}plugins/`} class="card card-with-count" id="card-plugins">
<div class="card-icon" aria-hidden="true">🔌</div> <div class="card-icon" aria-hidden="true">🔌</div>
<div class="card-content"> <div class="card-content">

View File

@@ -0,0 +1,54 @@
---
import BaseLayout from '../layouts/BaseLayout.astro';
import Modal from '../components/Modal.astro';
---
<BaseLayout title="Workflows" description="AI-powered repository automations that run coding agents in GitHub Actions" activeNav="workflows">
<main id="main-content">
<div class="page-header">
<div class="container">
<h1>⚡ Agentic Workflows</h1>
<p>AI-powered repository automations that run coding agents in GitHub Actions</p>
</div>
</div>
<div class="page-content">
<div class="container">
<div class="search-bar">
<label for="search-input" class="sr-only">Search workflows</label>
<input type="text" id="search-input" placeholder="Search workflows..." autocomplete="off">
</div>
<div class="filters-bar" id="filters-bar">
<div class="filter-group">
<label for="filter-trigger">Trigger:</label>
<select id="filter-trigger" multiple aria-label="Filter by trigger"></select>
</div>
<div class="filter-group">
<label for="filter-tag">Tag:</label>
<select id="filter-tag" multiple aria-label="Filter by tag"></select>
</div>
<div class="filter-group">
<label for="sort-select">Sort:</label>
<select id="sort-select" aria-label="Sort by">
<option value="title">Name (A-Z)</option>
<option value="lastUpdated">Recently Updated</option>
</select>
</div>
<button id="clear-filters" class="btn btn-secondary btn-small">Clear Filters</button>
</div>
<div class="results-count" id="results-count" aria-live="polite"></div>
<div class="resource-list" id="resource-list" role="list">
<div class="loading" aria-live="polite">Loading workflows...</div>
</div>
</div>
</div>
</main>
<Modal />
<script>
import '../scripts/pages/workflows';
</script>
</BaseLayout>

View File

@@ -11,6 +11,7 @@ interface Manifest {
instructions: number; instructions: number;
skills: number; skills: number;
hooks: number; hooks: number;
workflows: number;
plugins: number; plugins: number;
tools: number; tools: number;
}; };
@@ -35,7 +36,7 @@ export async function initHomepage(): Promise<void> {
const manifest = await fetchData<Manifest>('manifest.json'); const manifest = await fetchData<Manifest>('manifest.json');
if (manifest && manifest.counts) { if (manifest && manifest.counts) {
// Populate counts in cards // Populate counts in cards
const countKeys = ['agents', 'instructions', 'skills', 'hooks', 'plugins', 'tools'] as const; const countKeys = ['agents', 'instructions', 'skills', 'hooks', 'workflows', 'plugins', 'tools'] as const;
countKeys.forEach(key => { countKeys.forEach(key => {
const countEl = document.querySelector(`.card-count[data-count="${key}"]`); const countEl = document.querySelector(`.card-count[data-count="${key}"]`);
if (countEl && manifest.counts[key] !== undefined) { if (countEl && manifest.counts[key] !== undefined) {

View File

@@ -0,0 +1,235 @@
/**
* Workflows page functionality
*/
import { createChoices, getChoicesValues, type Choices } from "../choices";
import { FuzzySearch, type SearchItem } from "../search";
import {
fetchData,
debounce,
escapeHtml,
getGitHubUrl,
getActionButtonsHtml,
setupActionHandlers,
getLastUpdatedHtml,
} from "../utils";
import { setupModal, openFileModal } from "../modal";
interface Workflow extends SearchItem {
id: string;
path: string;
triggers: string[];
tags: string[];
lastUpdated?: string | null;
}
interface WorkflowsData {
items: Workflow[];
filters: {
triggers: string[];
tags: string[];
};
}
type SortOption = "title" | "lastUpdated";
const resourceType = "workflow";
let allItems: Workflow[] = [];
let search = new FuzzySearch<Workflow>();
let triggerSelect: Choices;
let tagSelect: Choices;
let currentFilters = {
triggers: [] as string[],
tags: [] as string[],
};
let currentSort: SortOption = "title";
function sortItems(items: Workflow[]): Workflow[] {
return [...items].sort((a, b) => {
if (currentSort === "lastUpdated") {
const dateA = a.lastUpdated ? new Date(a.lastUpdated).getTime() : 0;
const dateB = b.lastUpdated ? new Date(b.lastUpdated).getTime() : 0;
return dateB - dateA;
}
return a.title.localeCompare(b.title);
});
}
function applyFiltersAndRender(): void {
const searchInput = document.getElementById(
"search-input"
) as HTMLInputElement;
const countEl = document.getElementById("results-count");
const query = searchInput?.value || "";
let results = query ? search.search(query) : [...allItems];
if (currentFilters.triggers.length > 0) {
results = results.filter((item) =>
item.triggers.some((t) => currentFilters.triggers.includes(t))
);
}
if (currentFilters.tags.length > 0) {
results = results.filter((item) =>
item.tags.some((t) => currentFilters.tags.includes(t))
);
}
results = sortItems(results);
renderItems(results, query);
const activeFilters: string[] = [];
if (currentFilters.triggers.length > 0)
activeFilters.push(
`${currentFilters.triggers.length} trigger${
currentFilters.triggers.length > 1 ? "s" : ""
}`
);
if (currentFilters.tags.length > 0)
activeFilters.push(
`${currentFilters.tags.length} tag${
currentFilters.tags.length > 1 ? "s" : ""
}`
);
let countText = `${results.length} of ${allItems.length} workflows`;
if (activeFilters.length > 0) {
countText += ` (filtered by ${activeFilters.join(", ")})`;
}
if (countEl) countEl.textContent = countText;
}
function renderItems(items: Workflow[], query = ""): void {
const list = document.getElementById("resource-list");
if (!list) return;
if (items.length === 0) {
list.innerHTML =
'<div class="empty-state"><h3>No workflows found</h3><p>Try a different search term or adjust filters</p></div>';
return;
}
list.innerHTML = items
.map(
(item) => `
<div class="resource-item" data-path="${escapeHtml(item.path)}">
<div class="resource-info">
<div class="resource-title">${
query ? search.highlight(item.title, query) : escapeHtml(item.title)
}</div>
<div class="resource-description">${escapeHtml(
item.description || "No description"
)}</div>
<div class="resource-meta">
${item.triggers
.map(
(t) =>
`<span class="resource-tag tag-trigger">${escapeHtml(t)}</span>`
)
.join("")}
${item.tags
.map(
(t) =>
`<span class="resource-tag tag-tag">${escapeHtml(t)}</span>`
)
.join("")}
${getLastUpdatedHtml(item.lastUpdated)}
</div>
</div>
<div class="resource-actions">
${getActionButtonsHtml(item.path)}
<a href="${getGitHubUrl(
item.path
)}" class="btn btn-secondary" target="_blank" onclick="event.stopPropagation()" title="View on GitHub">GitHub</a>
</div>
</div>
`
)
.join("");
// Add click handlers for opening modal
list.querySelectorAll(".resource-item").forEach((el) => {
el.addEventListener("click", (e) => {
if ((e.target as HTMLElement).closest(".resource-actions")) return;
const path = (el as HTMLElement).dataset.path;
if (path) openFileModal(path, resourceType);
});
});
}
export async function initWorkflowsPage(): Promise<void> {
const list = document.getElementById("resource-list");
const searchInput = document.getElementById(
"search-input"
) as HTMLInputElement;
const clearFiltersBtn = document.getElementById("clear-filters");
const sortSelect = document.getElementById(
"sort-select"
) as HTMLSelectElement;
const data = await fetchData<WorkflowsData>("workflows.json");
if (!data || !data.items) {
if (list)
list.innerHTML =
'<div class="empty-state"><h3>Failed to load data</h3></div>';
return;
}
allItems = data.items;
search.setItems(allItems);
// Setup trigger filter
triggerSelect = createChoices("#filter-trigger", {
placeholderValue: "All Triggers",
});
triggerSelect.setChoices(
data.filters.triggers.map((t) => ({ value: t, label: t })),
"value",
"label",
true
);
document.getElementById("filter-trigger")?.addEventListener("change", () => {
currentFilters.triggers = getChoicesValues(triggerSelect);
applyFiltersAndRender();
});
// Setup tag filter
tagSelect = createChoices("#filter-tag", {
placeholderValue: "All Tags",
});
tagSelect.setChoices(
data.filters.tags.map((t) => ({ value: t, label: t })),
"value",
"label",
true
);
document.getElementById("filter-tag")?.addEventListener("change", () => {
currentFilters.tags = getChoicesValues(tagSelect);
applyFiltersAndRender();
});
sortSelect?.addEventListener("change", () => {
currentSort = sortSelect.value as SortOption;
applyFiltersAndRender();
});
applyFiltersAndRender();
searchInput?.addEventListener(
"input",
debounce(() => applyFiltersAndRender(), 200)
);
clearFiltersBtn?.addEventListener("click", () => {
currentFilters = { triggers: [], tags: [] };
currentSort = "title";
triggerSelect.removeActiveItems();
tagSelect.removeActiveItems();
if (searchInput) searchInput.value = "";
if (sortSelect) sortSelect.value = "title";
applyFiltersAndRender();
});
setupModal();
setupActionHandlers();
}
// Auto-initialize when DOM is ready
document.addEventListener("DOMContentLoaded", initWorkflowsPage);

View File

@@ -228,6 +228,8 @@ export function getResourceType(filePath: string): string {
return "skill"; return "skill";
if (/(^|\/)hooks\//.test(filePath) && filePath.endsWith("README.md")) if (/(^|\/)hooks\//.test(filePath) && filePath.endsWith("README.md"))
return "hook"; return "hook";
if (/(^|\/)workflows\//.test(filePath) && filePath.endsWith(".md"))
return "workflow";
// Check for plugin directories (e.g., plugins/<id>, plugins/<id>/) // Check for plugin directories (e.g., plugins/<id>, plugins/<id>/)
if (/(^|\/)plugins\/[^/]+\/?$/.test(filePath)) return "plugin"; if (/(^|\/)plugins\/[^/]+\/?$/.test(filePath)) return "plugin";
// Check for plugin.json files (e.g., plugins/<id>/.github/plugin/plugin.json) // Check for plugin.json files (e.g., plugins/<id>/.github/plugin/plugin.json)
@@ -244,6 +246,7 @@ export function formatResourceType(type: string): string {
instruction: "📋 Instruction", instruction: "📋 Instruction",
skill: "⚡ Skill", skill: "⚡ Skill",
hook: "🪝 Hook", hook: "🪝 Hook",
workflow: "⚡ Workflow",
plugin: "🔌 Plugin", plugin: "🔌 Plugin",
}; };
return labels[type] || type; return labels[type] || type;
@@ -258,6 +261,7 @@ export function getResourceIcon(type: string): string {
instruction: "📋", instruction: "📋",
skill: "⚡", skill: "⚡",
hook: "🪝", hook: "🪝",
workflow: "⚡",
plugin: "🔌", plugin: "🔌",
}; };
return icons[type] || "📄"; return icons[type] || "📄";