Compare commits

...

8 Commits

Author SHA1 Message Date
15bd83fc68 Ruff after aider
All checks were successful
Run Python tests (through Pytest) / Test (push) Successful in 24s
Verify Python project can be installed, loaded and have version checked / Test (push) Successful in 22s
2025-04-15 23:38:17 +02:00
e32f53d485 fix: Update test assertions for issue comment method call 2025-04-15 23:37:48 +02:00
351817d6c7 feat: Add issue commenting for PR creation and push failures 2025-04-15 23:37:19 +02:00
8a023a0501 Initial ruff pass 2025-04-15 23:36:05 +02:00
0049067919 Enable multi-api-key secrets v2
All checks were successful
Run Python tests (through Pytest) / Test (push) Successful in 25s
Verify Python project can be installed, loaded and have version checked / Test (push) Successful in 23s
2025-04-15 23:32:18 +02:00
9dfbc5efa4 Enable multi-api-key secrets
Some checks failed
Run Python tests (through Pytest) / Test (push) Failing after 24s
Verify Python project can be installed, loaded and have version checked / Test (push) Successful in 22s
2025-04-15 23:27:55 +02:00
f28df768e7 Re-enable Aider now that system is usable again 2025-04-15 23:25:26 +02:00
d03a8aa9df Disable labels for nwo 2025-04-15 23:19:57 +02:00
5 changed files with 192 additions and 29 deletions

View File

@ -155,15 +155,16 @@ def create_aider_command(issue: str) -> list[str]:
AIDER_LINT, AIDER_LINT,
'--auto-test', '--auto-test',
'--no-auto-lint', '--no-auto-lint',
'--api-key',
secrets.llm_api_key(),
'--read', '--read',
'CONVENTIONS.md', 'CONVENTIONS.md',
'--message', '--message',
LLM_MESSAGE_FORMAT.format(issue=issue), LLM_MESSAGE_FORMAT.format(issue=issue),
'--yes-always', '--yes',
] ]
for key in secrets.llm_api_keys():
l += ['--api-key', key]
if True: if True:
l.append('--cache-prompts') l.append('--cache-prompts')
@ -228,19 +229,52 @@ def push_changes(
# First push the branch without creating a PR # First push the branch without creating a PR
cmd = ['git', 'push', 'origin', branch_name, '--force'] cmd = ['git', 'push', 'origin', branch_name, '--force']
run_cmd(cmd, cwd) push_success = run_cmd(cmd, cwd, check=False)
if not push_success:
error_message = f'Failed to push branch `{branch_name}`. The changes could not be uploaded to the repository.'
logger.error(error_message)
try:
gitea_client.create_issue_comment(
owner=owner,
repo=repo,
issue_number=issue_number,
body=f'❌ **Automated Solution Failed**\n\n{error_message}\n\nPlease check repository permissions and try again.',
)
except Exception as e:
logger.exception(
f'Failed to comment on issue #{issue_number} after push failure: {e}',
)
return False
# Then create the PR with the aider label # Then create the PR with the aider label
gitea_client.create_pull_request( try:
owner=owner, gitea_client.create_pull_request(
repo=repo, owner=owner,
title=issue_title, repo=repo,
body=description, title=issue_title,
head=branch_name, body=description,
base=base_branch, head=branch_name,
labels=['aider'], base=base_branch,
) labels=['aider'],
return True )
return True
except Exception as e:
error_message = f'Failed to create pull request for branch `{branch_name}`. The changes were pushed but the PR could not be created.'
logger.exception(f'{error_message}: {e}')
try:
gitea_client.create_issue_comment(
owner=owner,
repo=repo,
issue_number=issue_number,
body=f'⚠️ **Partial Automation Success**\n\n{error_message}\n\n'
f"The changes are available in the branch `{branch_name}`, but you'll need to create the PR manually.",
)
except Exception as comment_error:
logger.exception(
f'Failed to comment on issue #{issue_number} after PR creation failure: {comment_error}',
)
return False
def has_commits_on_branch(cwd: Path, base_branch: str, current_branch: str) -> bool: def has_commits_on_branch(cwd: Path, base_branch: str, current_branch: str) -> bool:
@ -283,6 +317,9 @@ def run_cmd(cmd: list[str], cwd: Path | None = None, check=True) -> bool:
return result.returncode == 0 return result.returncode == 0
SKIP_AIDER = False
def solve_issue_in_repository( def solve_issue_in_repository(
args, args,
tmpdirname: Path, tmpdirname: Path,
@ -292,6 +329,8 @@ def solve_issue_in_repository(
issue_number: str, issue_number: str,
gitea_client=None, gitea_client=None,
) -> bool: ) -> bool:
logger.info('### %s #####', issue_title)
repo_url = f'{args.gitea_url}:{args.owner}/{args.repo}.git'.replace( repo_url = f'{args.gitea_url}:{args.owner}/{args.repo}.git'.replace(
'https://', 'https://',
'git@', 'git@',
@ -320,11 +359,15 @@ def solve_issue_in_repository(
# Run aider # Run aider
issue_content = f'# {issue_title}\n{issue_description}' issue_content = f'# {issue_title}\n{issue_description}'
succeeded = run_cmd( if not SKIP_AIDER:
create_aider_command(issue_content), succeeded = run_cmd(
tmpdirname, create_aider_command(issue_content),
check=False, tmpdirname,
) check=False,
)
else:
logger.warning('Skipping aider command (for testing)')
succeeded = True
if not succeeded: if not succeeded:
logger.error('Aider invocation failed for issue #%s', issue_number) logger.error('Aider invocation failed for issue #%s', issue_number)
return False return False
@ -344,7 +387,7 @@ def solve_issue_in_repository(
) )
files_changed = result.stdout.strip() files_changed = result.stdout.strip()
if not files_changed: if not files_changed and not SKIP_AIDER:
logger.info( logger.info(
'Aider did not make any changes beyond the initial ruff pass for issue #%s', 'Aider did not make any changes beyond the initial ruff pass for issue #%s',
issue_number, issue_number,

View File

@ -163,9 +163,32 @@ class GiteaClient:
'body': body, 'body': body,
'head': head, 'head': head,
'base': base, 'base': base,
'labels': labels,
} }
response = self.session.post(url, json=json_data) response = self.session.post(url, json=json_data)
response.raise_for_status() response.raise_for_status()
return response.json() return response.json()
def create_issue_comment(
self, owner: str, repo: str, issue_number: str, body: str,
) -> dict:
"""Create a comment on an issue.
Args:
owner (str): Owner of the repository.
repo (str): Name of the repository.
issue_number (str): The issue number to comment on.
body (str): The content of the comment.
Returns:
dict: The created comment data.
Raises:
requests.HTTPError: If the API request fails.
"""
url = f'{self.gitea_url}/repos/{owner}/{repo}/issues/{issue_number}/comments'
json_data = {'body': body}
response = self.session.post(url, json=json_data)
response.raise_for_status()
return response.json()

View File

@ -3,9 +3,9 @@ import secret_loader
SECRETS = secret_loader.SecretLoader() SECRETS = secret_loader.SecretLoader()
def llm_api_key(): def llm_api_keys() -> list[str]:
return SECRETS.load_or_fail('LLM_API_KEY') return SECRETS.load_or_fail('LLM_API_KEY').strip().split('\n')
def gitea_token(): def gitea_token() -> str:
return SECRETS.load_or_fail('GITEA_TOKEN') return SECRETS.load_or_fail('GITEA_TOKEN')

View File

@ -0,0 +1,88 @@
from pathlib import Path
from unittest.mock import MagicMock, patch
from aider_gitea import push_changes
class TestIssueCommentOnFailure:
def setup_method(self):
self.cwd = Path('/tmp/test-repo')
self.branch_name = 'issue-123-test-branch'
self.issue_number = '123'
self.issue_title = 'Test Issue'
self.base_branch = 'main'
self.gitea_client = MagicMock()
self.owner = 'test-owner'
self.repo = 'test-repo'
@patch('aider_gitea.has_commits_on_branch', return_value=True)
@patch('aider_gitea.get_commit_messages', return_value=['Test commit'])
@patch('aider_gitea.run_cmd')
def test_comment_on_push_failure(
self, mock_run_cmd, mock_get_commit_messages, mock_has_commits,
):
# Setup run_cmd to fail on git push
mock_run_cmd.return_value = False
# Call push_changes
result = push_changes(
self.cwd,
self.branch_name,
self.issue_number,
self.issue_title,
self.base_branch,
self.gitea_client,
self.owner,
self.repo,
)
# Verify result is False
assert result is False
# Verify create_issue_comment was called with appropriate message
self.gitea_client.create_issue_comment.assert_called_once()
args, kwargs = self.gitea_client.create_issue_comment.call_args
assert kwargs['owner'] == self.owner
assert kwargs['repo'] == self.repo
assert kwargs['issue_number'] == self.issue_number
assert 'Failed to push branch' in kwargs['body']
assert '❌ **Automated Solution Failed**' in kwargs['body']
@patch('aider_gitea.has_commits_on_branch', return_value=True)
@patch('aider_gitea.get_commit_messages', return_value=['Test commit'])
@patch('aider_gitea.run_cmd')
def test_comment_on_pr_creation_failure(
self, mock_run_cmd, mock_get_commit_messages, mock_has_commits,
):
# Setup run_cmd to succeed on git push
mock_run_cmd.return_value = True
# Setup create_pull_request to fail
self.gitea_client.create_pull_request.side_effect = Exception(
'PR creation failed',
)
# Call push_changes
result = push_changes(
self.cwd,
self.branch_name,
self.issue_number,
self.issue_title,
self.base_branch,
self.gitea_client,
self.owner,
self.repo,
)
# Verify result is False
assert result is False
# Verify create_issue_comment was called with appropriate message
self.gitea_client.create_issue_comment.assert_called_once()
args, kwargs = self.gitea_client.create_issue_comment.call_args
assert kwargs['owner'] == self.owner
assert kwargs['repo'] == self.repo
assert kwargs['issue_number'] == self.issue_number
assert 'Failed to create pull request' in kwargs['body']
assert '⚠️ **Partial Automation Success**' in kwargs['body']
assert self.branch_name in kwargs['body']

View File

@ -19,12 +19,16 @@ class TestSolveIssueInRepository:
self.issue_description = 'This is a test issue' self.issue_description = 'This is a test issue'
self.issue_number = '123' self.issue_number = '123'
@patch('aider_gitea.secrets.llm_api_key', return_value='fake-api-key') @patch('aider_gitea.secrets.llm_api_keys', return_value='fake-api-key')
@patch('aider_gitea.run_cmd') @patch('aider_gitea.run_cmd')
@patch('aider_gitea.push_changes') @patch('aider_gitea.push_changes')
@patch('subprocess.run') @patch('subprocess.run')
def test_solve_issue_with_aider_changes( def test_solve_issue_with_aider_changes(
self, mock_subprocess_run, mock_push_changes, mock_run_cmd, mock_llm_api_key, self,
mock_subprocess_run,
mock_push_changes,
mock_run_cmd,
mock_llm_api_key,
): ):
# Setup mocks # Setup mocks
mock_run_cmd.return_value = True mock_run_cmd.return_value = True
@ -34,7 +38,8 @@ class TestSolveIssueInRepository:
mock_subprocess_run.side_effect = [ mock_subprocess_run.side_effect = [
MagicMock(stdout='abc123\n', returncode=0), # First git rev-parse MagicMock(stdout='abc123\n', returncode=0), # First git rev-parse
MagicMock( MagicMock(
stdout='file1.py\nfile2.py\n', returncode=0, stdout='file1.py\nfile2.py\n',
returncode=0,
), # git diff with changes ), # git diff with changes
] ]
@ -54,12 +59,16 @@ class TestSolveIssueInRepository:
assert mock_run_cmd.call_count >= 8 # Verify all expected commands were run assert mock_run_cmd.call_count >= 8 # Verify all expected commands were run
mock_push_changes.assert_called_once() mock_push_changes.assert_called_once()
@patch('aider_gitea.secrets.llm_api_key', return_value='fake-api-key') @patch('aider_gitea.secrets.llm_api_keys', return_value='fake-api-key')
@patch('aider_gitea.run_cmd') @patch('aider_gitea.run_cmd')
@patch('aider_gitea.push_changes') @patch('aider_gitea.push_changes')
@patch('subprocess.run') @patch('subprocess.run')
def test_solve_issue_without_aider_changes( def test_solve_issue_without_aider_changes(
self, mock_subprocess_run, mock_push_changes, mock_run_cmd, mock_llm_api_key, self,
mock_subprocess_run,
mock_push_changes,
mock_run_cmd,
mock_llm_api_key,
): ):
# Setup mocks # Setup mocks
mock_run_cmd.return_value = True mock_run_cmd.return_value = True