71 lines
2.1 KiB
Nix
71 lines
2.1 KiB
Nix
{ pkgs, ... }:
|
|
pkgs.writeShellScriptBin "commit" # bash
|
|
''
|
|
if git diff-index --quiet HEAD --; then exit 0; fi
|
|
|
|
PROMPT="Please generate a commit message for this diff."
|
|
GUIDELINES="1. Use conventional commit syntax, following the context. 2. Cap the commit message at 80 characters, preferably less. You must not go beyond this limit. 3. Do not include backticks. Only generate the raw text. 4. Be as succint as possible. Each commit should be atomic. You may throw a warning if it is not."
|
|
NUM_ANCESTORS=0
|
|
PUSH=false
|
|
|
|
# Parse arguments
|
|
while [[ $# -gt 0 ]]; do
|
|
case "$1" in
|
|
--num-ancestors | -n)
|
|
NUM_ANCESTORS="$2"
|
|
shift 2
|
|
;;
|
|
--push | -u)
|
|
PUSH=true
|
|
shift
|
|
;;
|
|
*)
|
|
echo "Unrecognised argument: $1. Exiting..."
|
|
exit 1
|
|
;;
|
|
esac
|
|
done
|
|
|
|
# Get context and diff
|
|
CONTEXT=$(git --no-pager log -n 10)
|
|
DIFF=$(git --no-pager diff HEAD~$NUM_ANCESTORS)
|
|
|
|
# Generate initial response
|
|
RESPONSE=$(aichat "$PROMPT\nGuidelines: $GUIDELINES\nContext from git log:\n$CONTEXT\nDiff from git diff HEAD:\n$DIFF")
|
|
|
|
while true; do
|
|
echo "$RESPONSE"
|
|
echo
|
|
echo "Choose an action:"
|
|
read -p "Options: [y]es, [r]eroll, [e]dit, [q]uit? " -n 1 -r choice
|
|
echo
|
|
|
|
case "$choice" in
|
|
y | yes)
|
|
git commit -am "$RESPONSE"
|
|
echo "Committed successfully."
|
|
if $PUSH; then
|
|
git push
|
|
echo "Pushed successfully."
|
|
fi
|
|
exit 0
|
|
;;
|
|
r | reroll)
|
|
RESPONSE=$(aichat "$PROMPT\nGuidelines: $GUIDELINES\nContext from git log:\n$CONTEXT\nDiff from git diff HEAD:\n$DIFF")
|
|
;;
|
|
e | edit)
|
|
echo "$RESPONSE" > /tmp/commit_msg.txt
|
|
"$EDITOR" /tmp/commit_msg.txt
|
|
RESPONSE=$(cat /tmp/commit_msg.txt)
|
|
rm /tmp/commit_msg.txt
|
|
;;
|
|
q | quit | "")
|
|
echo "Aborted."
|
|
exit 1
|
|
;;
|
|
*)
|
|
echo "Invalid choice. Please choose again."
|
|
;;
|
|
esac
|
|
done
|
|
''
|