// "Automate GitHub pull request review resolution by processing ALL review comments and fixing ALL failing CI checks. Use when: (1) A PR has review comments that need to be addressed and resolved, (2) CI/CD checks are failing and need fixes, (3) You want to process all PR feedback and mark conversations as resolved, (4) You need to iterate on PR feedback quickly. IMPORTANT: This skill processes EVERY comment - no skipping allowed. Always fetches fresh data from GitHub. The only acceptable end state is zero unresolved threads. COMMIT CADENCE: Each thread gets its own commit (fix → commit → resolve → next). Never batch commits at the end."
| name | github-pr-resolver |
| description | Automate GitHub pull request review resolution by processing ALL review comments and fixing ALL failing CI checks. Use when: (1) A PR has review comments that need to be addressed and resolved, (2) CI/CD checks are failing and need fixes, (3) You want to process all PR feedback and mark conversations as resolved, (4) You need to iterate on PR feedback quickly. IMPORTANT: This skill processes EVERY comment - no skipping allowed. Always fetches fresh data from GitHub. The only acceptable end state is zero unresolved threads. COMMIT CADENCE: Each thread gets its own commit (fix → commit → resolve → next). Never batch commits at the end. |
Automate the process of addressing pull request review feedback by processing ALL comments, making code fixes, resolving EVERY conversation thread, and fixing ALL failing CI checks.
This skill does NOT skip any comments. Every unresolved thread must be addressed and resolved.
# Verify gh CLI is installed and authenticated
gh auth status
# If not authenticated, run:
gh auth login
Token requires repo scope for full repository access.
COMMIT CADENCE (NON-NEGOTIABLE):
git add → git commit → resolve thread → next thread)CRITICAL REQUIREMENTS:
Each change gets its own commit using conventional commit format:
<type>(<scope>): <description>
Type inference from comment:
| Comment Pattern | Commit Type |
|---|---|
| Bug fix, null check, error handling, validation | fix |
| Add, include, missing, implement | feat |
| Rename, refactor, suggestion, change X to Y | refactor |
| Documentation, comments, README | docs |
| Performance, optimize | perf |
| Style, indent, whitespace | style |
Scope from file path:
src/services/UserService.ts → servicessrc, lib, appindex.ts → indexCI check commits:
fix(lint): resolve linting errorsfix(tests): update failing assertionsfix(build): resolve build errorsstyle(format): apply formattingCRITICAL: Always fetch fresh data from GitHub. Never reuse previously fetched context data.
# Get PR metadata
gh pr view <PR_NUMBER> --json number,title,state,headRefName,baseRefName,author,url
Use GraphQL to fetch review threads with resolution status. The API returns max 100 items per request, so pagination is required for PRs with many threads.
# First page (no cursor)
gh api graphql -f query='
query($owner: String!, $repo: String!, $prNumber: Int!, $cursor: String) {
repository(owner: $owner, name: $repo) {
pullRequest(number: $prNumber) {
reviewThreads(first: 100, after: $cursor) {
pageInfo {
hasNextPage
endCursor
}
nodes {
id
isResolved
isOutdated
path
line
comments(first: 100) {
nodes {
id
databaseId
body
author { login }
createdAt
path
line
diffHunk
}
}
}
}
}
}
}' -f owner=OWNER -f repo=REPO -F prNumber=PR_NUMBER
Handling pagination:
# Check if more pages exist
HAS_NEXT=$(echo "$RESULT" | jq '.data.repository.pullRequest.reviewThreads.pageInfo.hasNextPage')
END_CURSOR=$(echo "$RESULT" | jq -r '.data.repository.pullRequest.reviewThreads.pageInfo.endCursor')
# If hasNextPage is true, fetch next page with cursor
if [ "$HAS_NEXT" = "true" ]; then
gh api graphql -f query='...' -f owner=OWNER -f repo=REPO -F prNumber=PR_NUMBER -f cursor="$END_CURSOR"
fi
IMPORTANT: Continue fetching pages until hasNextPage is false. Collect ALL threads before processing.
# Get all checks for the PR
gh pr checks <PR_NUMBER>
# For detailed check information
gh pr checks <PR_NUMBER> --json name,state,conclusion,description
After fetching, identify:
isResolved: falseconclusion is failure, cancelled, timed_out, or action_required# Count unresolved threads
echo "Unresolved threads: $(echo "$THREADS_JSON" | jq '[.data.repository.pullRequest.reviewThreads.nodes[] | select(.isResolved == false)] | length')"
# List failing checks
gh pr checks <PR_NUMBER> --json name,conclusion | jq '.[] | select(.conclusion == "failure")'
MANDATORY: Process EVERY unresolved thread. Do NOT skip any comments.
For each unresolved thread (iterate through ALL of them):
Extract the first comment (thread initiator) and understand what's requested:
# For each unresolved thread, extract:
# - path: file path
# - line: line number
# - body: comment text
# - thread_id: GraphQL ID for resolution
ALL comments require action. Determine the appropriate fix:
| Comment Pattern | Action Required |
|---|---|
Contains ```suggestion | Apply the suggested code directly |
| "Typo", "rename", "change X to Y" | Make the specific text change |
| "Add...", "Include...", "Missing..." | Add the requested code/content |
| "Remove...", "Delete..." | Remove the specified code |
| "Consider...", "Maybe...", "Nit:" | Apply the improvement (these are still requests) |
| Question or discussion | Address with code fix or reply, then resolve |
No comment is optional. Every thread must be addressed and resolved.
For comments with explicit suggestions, extract and apply:
# Suggestion blocks look like:
# ```suggestion
# replacement code here
# ```
# Extract suggestion content and apply to the file at the specified line
pathlineCRITICAL: Commit IMMEDIATELY after EACH fix. Do NOT wait until the end. Do NOT batch commits.
After making each fix, commit it immediately with a conventional commit message:
# Stage only the affected file
git add <path>
# Commit with conventional message
git commit -m "<type>(<scope>): <description>"
Example commits:
refactor(services): rename getUser to fetchUserfix(auth): add null check for tokenfeat(api): add retry logic per reviewdocs(utils): add JSDoc for helper functionAfter committing, resolve the thread via GraphQL:
gh api graphql -f query='
mutation($threadId: ID!) {
resolveReviewThread(input: {threadId: $threadId}) {
thread {
id
isResolved
}
}
}' -f threadId="<THREAD_ID>"
REPEAT Steps 2.1-2.6 for EACH unresolved thread. Each thread = 1 commit. Do NOT move to Step 3 until all threads have been processed with individual commits.
# List all failing checks
gh pr checks <PR_NUMBER> --json name,state,conclusion,description | jq '.[] | select(.conclusion == "failure")'
# View workflow run logs for details
gh run view <RUN_ID> --log-failed
Linting (eslint, pylint, ruff):
# JavaScript/TypeScript
npm run lint -- --fix
npx eslint . --fix
# Python
ruff check --fix .
black .
Type Checking (tsc, mypy, pyright):
Tests (jest, pytest, vitest):
npm test -- -uFormatting (prettier, black):
npx prettier --write .
black .
Build (webpack, vite, tsc):
After fixing each check type, commit separately:
# After fixing lint errors
git add .
git commit -m "fix(lint): resolve linting errors"
# After fixing test failures
git add .
git commit -m "fix(tests): update failing assertions"
# After fixing build/type errors
git add .
git commit -m "fix(build): resolve build errors"
# After fixing formatting
git add .
git commit -m "style(format): apply formatting"
Before pushing, verify fixes locally:
# Run the same commands CI runs
npm run lint
npm run test
npm run build
After all review threads and CI checks have been addressed with individual commits, push once:
# Get the branch name
BRANCH=$(gh pr view <PR_NUMBER> --json headRefName -q '.headRefName')
# Push all commits to PR branch
git push origin $BRANCH
This triggers a single CI run for all changes rather than multiple runs per commit.
After pushing, ALWAYS fetch fresh data from GitHub to verify - never rely on previously fetched context:
# Re-fetch threads (fresh API call with pagination support)
gh api graphql -f query='
query($owner: String!, $repo: String!, $prNumber: Int!, $cursor: String) {
repository(owner: $owner, name: $repo) {
pullRequest(number: $prNumber) {
reviewThreads(first: 100, after: $cursor) {
pageInfo {
hasNextPage
endCursor
}
nodes {
id
isResolved
}
}
}
}
}' -f owner=OWNER -f repo=REPO -F prNumber=PR_NUMBER
# Count remaining unresolved (remember to paginate if hasNextPage is true)
UNRESOLVED=$(echo "$RESULT" | jq '[.data.repository.pullRequest.reviewThreads.nodes[] | select(.isResolved == false)] | length')
echo "Remaining unresolved: $UNRESOLVED"
# Check CI status
gh pr checks <PR_NUMBER>
IMPORTANT:
#!/bin/bash
# Complete workflow to resolve ALL PR feedback
PR_NUMBER=$1
REPO="owner/repo" # Or extract from current git remote
OWNER=${REPO%/*}
REPO_NAME=${REPO#*/}
# 1. Fetch fresh context from GitHub
echo "Fetching PR #$PR_NUMBER..."
PR_INFO=$(gh pr view $PR_NUMBER --json number,title,headRefName,baseRefName)
BRANCH=$(echo $PR_INFO | jq -r '.headRefName')
echo "PR: $(echo $PR_INFO | jq -r '.title')"
echo "Branch: $BRANCH"
# Fetch ALL review threads with pagination
ALL_THREADS="[]"
CURSOR=""
while true; do
if [ -z "$CURSOR" ]; then
CURSOR_ARG=""
else
CURSOR_ARG="-f cursor=$CURSOR"
fi
RESULT=$(gh api graphql -f query='
query($owner: String!, $repo: String!, $prNumber: Int!, $cursor: String) {
repository(owner: $owner, name: $repo) {
pullRequest(number: $prNumber) {
reviewThreads(first: 100, after: $cursor) {
pageInfo {
hasNextPage
endCursor
}
nodes {
id
isResolved
path
line
comments(first: 100) {
nodes {
body
author { login }
}
}
}
}
}
}
}' -f owner=$OWNER -f repo=$REPO_NAME -F prNumber=$PR_NUMBER $CURSOR_ARG)
# Append threads from this page
PAGE_THREADS=$(echo $RESULT | jq '.data.repository.pullRequest.reviewThreads.nodes')
ALL_THREADS=$(echo "$ALL_THREADS $PAGE_THREADS" | jq -s 'add')
# Check for next page
HAS_NEXT=$(echo $RESULT | jq -r '.data.repository.pullRequest.reviewThreads.pageInfo.hasNextPage')
if [ "$HAS_NEXT" != "true" ]; then
break
fi
CURSOR=$(echo $RESULT | jq -r '.data.repository.pullRequest.reviewThreads.pageInfo.endCursor')
done
UNRESOLVED_COUNT=$(echo $ALL_THREADS | jq '[.[] | select(.isResolved == false)] | length')
TOTAL_COUNT=$(echo $ALL_THREADS | jq 'length')
echo "Total threads: $TOTAL_COUNT"
echo "Unresolved threads: $UNRESOLVED_COUNT"
# 2. Checkout PR branch
git fetch origin $BRANCH
git checkout $BRANCH
# 3. Process EACH unresolved thread (Claude does this interactively)
# For each thread:
# - Read the comment
# - Make the fix
# - git add <file>
# - git commit -m "<type>(<scope>): <description>"
# - gh api graphql ... resolve mutation
# - Move to next thread
# 4. Fix failing checks (one commit per check type)
gh pr checks $PR_NUMBER --json name,conclusion | jq '.[] | select(.conclusion == "failure")'
# Fix each failing check type and commit separately
# 5. Push all commits
git push origin $BRANCH
# 6. Verify - re-fetch ALL pages and confirm zero unresolved
# (Use same pagination loop as above)
if [ "$REMAINING" -gt 0 ]; then
echo "⚠️ WARNING: $REMAINING threads still unresolved!"
echo "Must go back and process remaining threads."
else
echo "✅ All threads resolved!"
fi
See references/github_api_reference.md for: