mirror of
https://github.com/getcompanion-ai/co-mono.git
synced 2026-04-15 08:03:39 +00:00
- Merge branch event into session with before_branch/branch reasons
- Add before_switch, before_clear, shutdown reasons
- before_* events can be cancelled with { cancel: true }
- Update RPC commands to return cancelled status
- Add shutdown event on process exit
- New example hooks: confirm-destructive, dirty-repo-guard, auto-commit-on-exit
fixes #278
50 lines
1.5 KiB
TypeScript
50 lines
1.5 KiB
TypeScript
/**
|
|
* Auto-Commit on Exit Hook
|
|
*
|
|
* Automatically commits changes when the agent exits.
|
|
* Uses the last assistant message to generate a commit message.
|
|
*/
|
|
|
|
import type { HookAPI } from "@mariozechner/pi-coding-agent/hooks";
|
|
|
|
export default function (pi: HookAPI) {
|
|
pi.on("session", async (event, ctx) => {
|
|
if (event.reason !== "shutdown") return;
|
|
|
|
// Check for uncommitted changes
|
|
const { stdout: status, code } = await ctx.exec("git", ["status", "--porcelain"]);
|
|
|
|
if (code !== 0 || status.trim().length === 0) {
|
|
// Not a git repo or no changes
|
|
return;
|
|
}
|
|
|
|
// Find the last assistant message for commit context
|
|
let lastAssistantText = "";
|
|
for (let i = event.entries.length - 1; i >= 0; i--) {
|
|
const entry = event.entries[i];
|
|
if (entry.type === "message" && entry.message.role === "assistant") {
|
|
const content = entry.message.content;
|
|
if (Array.isArray(content)) {
|
|
lastAssistantText = content
|
|
.filter((c): c is { type: "text"; text: string } => c.type === "text")
|
|
.map((c) => c.text)
|
|
.join("\n");
|
|
}
|
|
break;
|
|
}
|
|
}
|
|
|
|
// Generate a simple commit message
|
|
const firstLine = lastAssistantText.split("\n")[0] || "Work in progress";
|
|
const commitMessage = `[pi] ${firstLine.slice(0, 50)}${firstLine.length > 50 ? "..." : ""}`;
|
|
|
|
// Stage and commit
|
|
await ctx.exec("git", ["add", "-A"]);
|
|
const { code: commitCode } = await ctx.exec("git", ["commit", "-m", commitMessage]);
|
|
|
|
if (commitCode === 0 && ctx.hasUI) {
|
|
ctx.ui.notify(`Auto-committed: ${commitMessage}`, "info");
|
|
}
|
|
});
|
|
}
|