Skip to content
Closed
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
89 changes: 88 additions & 1 deletion apps/server/src/git/Layers/GitCore.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@ import { GitCoreLive } from "./GitCore.ts";
import { GitCore, type GitCoreShape } from "../Services/GitCore.ts";
import { GitCommandError } from "../Errors.ts";
import { type ProcessRunResult, runProcess } from "../../processRunner.ts";
import { tokenizeCommitFlags } from "./GitManager.ts";

// ── Helpers ──

Expand Down Expand Up @@ -98,7 +99,7 @@ const makeIsolatedGitCore = (gitService: GitServiceShape) =>
status: (input) => core.status(input),
statusDetails: (cwd) => core.statusDetails(cwd),
prepareCommitContext: (cwd, filePaths?) => core.prepareCommitContext(cwd, filePaths),
commit: (cwd, subject, body) => core.commit(cwd, subject, body),
commit: (cwd, subject, body, extraArgs?) => core.commit(cwd, subject, body, extraArgs),
pushCurrentBranch: (cwd, fallbackBranch) => core.pushCurrentBranch(cwd, fallbackBranch),
pullCurrentBranch: (cwd) => core.pullCurrentBranch(cwd),
readRangeContext: (cwd, baseBranch) => core.readRangeContext(cwd, baseBranch),
Expand Down Expand Up @@ -1903,4 +1904,90 @@ it.layer(TestLayer)("git integration", (it) => {
}),
);
});

describe("tokenizeCommitFlags", () => {
it("returns empty array for undefined", () => {
expect(tokenizeCommitFlags(undefined)).toEqual([]);
});

it("returns empty array for empty string", () => {
expect(tokenizeCommitFlags("")).toEqual([]);
});

it("returns empty array for whitespace-only string", () => {
expect(tokenizeCommitFlags(" ")).toEqual([]);
});

it("tokenizes a single flag", () => {
expect(tokenizeCommitFlags("--no-gpg-sign")).toEqual(["--no-gpg-sign"]);
});

it("tokenizes multiple flags separated by spaces", () => {
expect(tokenizeCommitFlags("--no-gpg-sign --signoff")).toEqual([
"--no-gpg-sign",
"--signoff",
]);
});

it("handles extra whitespace between flags", () => {
expect(tokenizeCommitFlags(" --no-gpg-sign --signoff ")).toEqual([
"--no-gpg-sign",
"--signoff",
]);
});

it("keeps flags with = values intact", () => {
expect(tokenizeCommitFlags("--cleanup=verbatim")).toEqual(["--cleanup=verbatim"]);
});

it("drops tokens that do not start with a dash", () => {
expect(tokenizeCommitFlags("--author Foo")).toEqual(["--author"]);
});

it("drops all non-flag tokens from a mixed input", () => {
expect(tokenizeCommitFlags("HEAD --no-verify somefile.txt -S")).toEqual([
"--no-verify",
"-S",
]);
});
});

describe("commit with extraArgs", () => {
it.effect("passes extra flags through to git commit", () =>
Effect.gen(function* () {
const tmp = yield* makeTmpDir();
yield* initRepoWithCommit(tmp);
const core = yield* GitCore;

yield* writeTextFile(path.join(tmp, "extra.txt"), "extra args test\n");
yield* git(tmp, ["add", "extra.txt"]);

const { commitSha } = yield* core.commit(tmp, "test extra args", "", [
"--no-gpg-sign",
]);
expect(commitSha).toBeTruthy();

// Verify the commit was created with the right message
const logOutput = yield* git(tmp, ["log", "-1", "--pretty=%s"]);
expect(logOutput).toBe("test extra args");
}),
);

it.effect("works without extra args (backward compat)", () =>
Effect.gen(function* () {
const tmp = yield* makeTmpDir();
yield* initRepoWithCommit(tmp);
const core = yield* GitCore;

yield* writeTextFile(path.join(tmp, "compat.txt"), "compat test\n");
yield* git(tmp, ["add", "compat.txt"]);

const { commitSha } = yield* core.commit(tmp, "no extra args", "");
expect(commitSha).toBeTruthy();

const logOutput = yield* git(tmp, ["log", "-1", "--pretty=%s"]);
expect(logOutput).toBe("no extra args");
}),
);
});
});
5 changes: 4 additions & 1 deletion apps/server/src/git/Layers/GitCore.ts
Original file line number Diff line number Diff line change
Expand Up @@ -804,13 +804,16 @@ const makeGitCore = Effect.gen(function* () {
};
});

const commit: GitCoreShape["commit"] = (cwd, subject, body) =>
const commit: GitCoreShape["commit"] = (cwd, subject, body, extraArgs = []) =>
Effect.gen(function* () {
const args = ["commit", "-m", subject];
const trimmedBody = body.trim();
if (trimmedBody.length > 0) {
args.push("-m", trimmedBody);
}
// Append extra flags after the message args so an argument-consuming
// flag (e.g. `-C`) cannot accidentally swallow `-m` or the subject.
args.push(...extraArgs);
yield* runGit("GitCore.commit.commit", cwd, args);
const commitSha = yield* runGitStdout("GitCore.commit.revParseHead", cwd, [
"rev-parse",
Expand Down
26 changes: 25 additions & 1 deletion apps/server/src/git/Layers/GitManager.ts
Original file line number Diff line number Diff line change
Expand Up @@ -207,6 +207,23 @@ interface CommitAndBranchSuggestion {
commitMessage: string;
}

/**
* Tokenize and sanitise user-provided extra flags for `git commit`.
*
* Each token must look like a CLI flag (start with `-`). Tokens that don't
* start with a dash are silently dropped so that a malformed value like
* `--author "Foo"` (which the naive split turns into `["--author", "Foo"]`)
* cannot inject a positional argument into the git invocation.
*/
export function tokenizeCommitFlags(rawFlags?: string): string[] {
const tokens = (rawFlags ?? "")
.trim()
.split(/\s+/g)
.filter((value) => value.length > 0);

return tokens.filter((token) => token.startsWith("-"));
}

function formatCommitMessage(subject: string, body: string): string {
const trimmedBody = body.trim();
if (trimmedBody.length === 0) {
Expand Down Expand Up @@ -682,6 +699,7 @@ export const makeGitManager = Effect.gen(function* () {
cwd: string,
branch: string | null,
commitMessage?: string,
commitFlags?: string,
preResolvedSuggestion?: CommitAndBranchSuggestion,
filePaths?: readonly string[],
model?: string,
Expand All @@ -700,7 +718,12 @@ export const makeGitManager = Effect.gen(function* () {
return { status: "skipped_no_changes" as const };
}

const { commitSha } = yield* gitCore.commit(cwd, suggestion.subject, suggestion.body);
const { commitSha } = yield* gitCore.commit(
cwd,
suggestion.subject,
suggestion.body,
tokenizeCommitFlags(commitFlags),
);
return {
status: "created" as const,
commitSha,
Expand Down Expand Up @@ -1050,6 +1073,7 @@ export const makeGitManager = Effect.gen(function* () {
input.cwd,
currentBranch,
commitMessageForStep,
input.commitFlags,
preResolvedCommitSuggestion,
input.filePaths,
input.textGenerationModel,
Expand Down
1 change: 1 addition & 0 deletions apps/server/src/git/Services/GitCore.ts
Original file line number Diff line number Diff line change
Expand Up @@ -111,6 +111,7 @@ export interface GitCoreShape {
cwd: string,
subject: string,
body: string,
extraArgs?: readonly string[],
) => Effect.Effect<{ commitSha: string }, GitCommandError>;

/**
Expand Down
3 changes: 3 additions & 0 deletions apps/web/src/appSettings.ts
Original file line number Diff line number Diff line change
Expand Up @@ -21,6 +21,9 @@ const AppSettingsSchema = Schema.Struct({
codexHomePath: Schema.String.check(Schema.isMaxLength(4096)).pipe(
Schema.withConstructorDefault(() => Option.some("")),
),
gitCommitFlags: Schema.String.check(Schema.isMaxLength(4096)).pipe(
Schema.withConstructorDefault(() => Option.some("")),
),
defaultThreadEnvMode: Schema.Literals(["local", "worktree"]).pipe(
Schema.withConstructorDefault(() => Option.some("local")),
),
Expand Down
5 changes: 5 additions & 0 deletions apps/web/src/components/GitActionsControl.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -33,6 +33,7 @@ import { Popover, PopoverPopup, PopoverTrigger } from "~/components/ui/popover";
import { ScrollArea } from "~/components/ui/scroll-area";
import { Textarea } from "~/components/ui/textarea";
import { toastManager } from "~/components/ui/toast";
import { useAppSettings } from "~/appSettings";
import { openInPreferredEditor } from "~/editorPreferences";
import {
gitBranchesQueryOptions,
Expand Down Expand Up @@ -160,6 +161,7 @@ export default function GitActionsControl({ gitCwd, activeThreadId }: GitActions
() => (activeThreadId ? { threadId: activeThreadId } : undefined),
[activeThreadId],
);
const { settings } = useAppSettings();
const queryClient = useQueryClient();
Comment on lines 163 to 165
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🔴 Critical components/GitActionsControl.tsx:163

const { settings } = useAppSettings(); is declared twice at the top of GitActionsControl (lines 159 and 164). This causes a SyntaxError: Identifier 'settings' has already been declared at runtime, preventing the component from loading. Remove the duplicate declaration.

-  const { settings } = useAppSettings();
   const queryClient = useQueryClient();
🚀 Reply "fix it for me" or copy this AI Prompt for your agent:
In file apps/web/src/components/GitActionsControl.tsx around lines 163-165:

`const { settings } = useAppSettings();` is declared twice at the top of `GitActionsControl` (lines 159 and 164). This causes a `SyntaxError: Identifier 'settings' has already been declared` at runtime, preventing the component from loading. Remove the duplicate declaration.

Evidence trail:
apps/web/src/components/GitActionsControl.tsx lines 159 and 164 at REVIEWED_COMMIT - both lines contain `const { settings } = useAppSettings();` within the same `GitActionsControl` function scope, confirming the duplicate declaration.

const [isCommitDialogOpen, setIsCommitDialogOpen] = useState(false);
const [dialogCommitMessage, setDialogCommitMessage] = useState("");
Expand Down Expand Up @@ -205,6 +207,7 @@ export default function GitActionsControl({ gitCwd, activeThreadId }: GitActions
useIsMutating({ mutationKey: gitMutationKeys.runStackedAction(gitCwd) }) > 0;
const isPullRunning = useIsMutating({ mutationKey: gitMutationKeys.pull(gitCwd) }) > 0;
const isGitActionRunning = isRunStackedActionRunning || isPullRunning;
const configuredCommitFlags = settings.gitCommitFlags.trim();
const isDefaultBranch = useMemo(() => {
const branchName = gitStatusForActions?.branch;
if (!branchName) return false;
Expand Down Expand Up @@ -355,6 +358,7 @@ export default function GitActionsControl({ gitCwd, activeThreadId }: GitActions
const promise = runImmediateGitActionMutation.mutateAsync({
action,
...(commitMessage ? { commitMessage } : {}),
...(configuredCommitFlags ? { commitFlags: configuredCommitFlags } : {}),
...(featureBranch ? { featureBranch } : {}),
...(filePaths ? { filePaths } : {}),
});
Expand Down Expand Up @@ -448,6 +452,7 @@ export default function GitActionsControl({ gitCwd, activeThreadId }: GitActions
},

[
configuredCommitFlags,
isDefaultBranch,
runImmediateGitActionMutation,
setPendingDefaultBranchAction,
Expand Down
3 changes: 3 additions & 0 deletions apps/web/src/lib/gitReactQuery.ts
Original file line number Diff line number Diff line change
Expand Up @@ -119,11 +119,13 @@ export function gitRunStackedActionMutationOptions(input: {
mutationFn: async ({
action,
commitMessage,
commitFlags,
featureBranch,
filePaths,
}: {
action: GitStackedAction;
commitMessage?: string;
commitFlags?: string;
featureBranch?: boolean;
filePaths?: string[];
}) => {
Expand All @@ -133,6 +135,7 @@ export function gitRunStackedActionMutationOptions(input: {
cwd: input.cwd,
action,
...(commitMessage ? { commitMessage } : {}),
...(commitFlags ? { commitFlags } : {}),
...(featureBranch ? { featureBranch } : {}),
...(filePaths ? { filePaths } : {}),
...(input.model ? { model: input.model } : {}),
Expand Down
43 changes: 43 additions & 0 deletions apps/web/src/routes/_chat.settings.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -109,6 +109,7 @@ function SettingsRouteView() {

const codexBinaryPath = settings.codexBinaryPath;
const codexHomePath = settings.codexHomePath;
const gitCommitFlags = settings.gitCommitFlags;
const keybindingsConfigPath = serverConfigQuery.data?.keybindingsConfigPath ?? null;
const availableEditors = serverConfigQuery.data?.availableEditors;

Expand Down Expand Up @@ -615,6 +616,48 @@ function SettingsRouteView() {
) : null}
</section>

<section className="rounded-2xl border border-border bg-card p-5">
<div className="mb-4">
<h2 className="text-sm font-medium text-foreground">Git</h2>
<p className="mt-1 text-xs text-muted-foreground">
Configure extra flags for app-run <code>git commit</code> commands.
</p>
</div>

<div className="space-y-4">
<label htmlFor="git-commit-flags" className="block space-y-1">
<span className="text-xs font-medium text-foreground">
Extra git commit flags
</span>
<Input
id="git-commit-flags"
value={gitCommitFlags}
onChange={(event) => updateSettings({ gitCommitFlags: event.target.value })}
placeholder="--no-gpg-sign"
spellCheck={false}
/>
<span className="text-xs text-muted-foreground">
Applied to app-run git commit commands only. Example:{" "}
<code>--no-gpg-sign</code>. Quoted arguments are not supported yet.
</span>
</label>

<div className="flex justify-end">
<Button
size="xs"
variant="outline"
onClick={() =>
updateSettings({
gitCommitFlags: defaults.gitCommitFlags,
})
}
>
Restore default
</Button>
</div>
</div>
</section>

<section className="rounded-2xl border border-border bg-card p-5">
<div className="mb-4">
<h2 className="text-sm font-medium text-foreground">Responses</h2>
Expand Down
1 change: 1 addition & 0 deletions packages/contracts/src/git.ts
Original file line number Diff line number Diff line change
Expand Up @@ -61,6 +61,7 @@ export const GitRunStackedActionInput = Schema.Struct({
cwd: TrimmedNonEmptyStringSchema,
action: GitStackedAction,
commitMessage: Schema.optional(TrimmedNonEmptyStringSchema.check(Schema.isMaxLength(10_000))),
commitFlags: Schema.optional(TrimmedNonEmptyStringSchema.check(Schema.isMaxLength(4_096))),
featureBranch: Schema.optional(Schema.Boolean),
filePaths: Schema.optional(
Schema.Array(TrimmedNonEmptyStringSchema).check(Schema.isMinLength(1)),
Expand Down
Loading