-
Notifications
You must be signed in to change notification settings - Fork 179
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Track git tags #517
base: master
Are you sure you want to change the base?
Track git tags #517
Changes from all commits
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,113 @@ | ||
from functools import partial | ||
from typing import Optional, Tuple | ||
|
||
from git import GitCommandError, Reference, Repo, Tag | ||
from git.objects.commit import Commit | ||
from opal_common.git.branch_tracker import BranchTracker | ||
from opal_common.git.env import provide_git_ssh_environment | ||
from opal_common.git.exceptions import GitFailed | ||
from opal_common.logger import logger | ||
from tenacity import retry, stop_after_attempt, wait_fixed | ||
|
||
|
||
class TagTracker(BranchTracker): | ||
"""Tracks the state of a git tag (hash the tag is pointing at). | ||
|
||
Can detect if the tag has been moved to point at a different commit. | ||
""" | ||
|
||
def __init__( | ||
self, | ||
repo: Repo, | ||
tag_name: str, | ||
remote_name: str = "origin", | ||
retry_config=None, | ||
ssh_key: Optional[str] = None, | ||
): | ||
"""Initializes the TagTracker. | ||
|
||
Args: | ||
repo (Repo): a git repo in which we want to track the specific commit a tag is pointing to | ||
tag_name (str): the tag we want to track | ||
remote_name (str): the remote in which the tag is located | ||
retry_config (dict): Tenacity.retry config | ||
ssh_key (Optional[str]): SSH key for private repositories | ||
""" | ||
self._tag_name = tag_name | ||
super().__init__( | ||
repo, | ||
branch_name=None, | ||
remote_name=remote_name, | ||
retry_config=retry_config, | ||
ssh_key=ssh_key, | ||
) | ||
|
||
def checkout(self): | ||
"""Checkouts the repository at the current tag.""" | ||
checkout_func = partial(self._repo.git.checkout, self._tag_name) | ||
attempt_checkout = retry(**self._retry_config)(checkout_func) | ||
try: | ||
return attempt_checkout() | ||
except GitCommandError as e: | ||
tags = [tag.name for tag in self._repo.tags] | ||
logger.error( | ||
"did not find tag: {tag_name}, instead found: {tags_found}, got error: {error}", | ||
tag_name=self._tag_name, | ||
tags_found=tags, | ||
error=str(e), | ||
) | ||
raise GitFailed(e) | ||
|
||
def _fetch(self): | ||
"""Fetch updates including tags with force option.""" | ||
|
||
def _inner_fetch(*args, **kwargs): | ||
env = provide_git_ssh_environment(self.tracked_remote.url, self._ssh_key) | ||
with self.tracked_remote.repo.git.custom_environment(**env): | ||
self.tracked_remote.repo.git.fetch("--tags", "--force", *args, **kwargs) | ||
|
||
attempt_fetch = retry(**self._retry_config)(_inner_fetch) | ||
return attempt_fetch() | ||
|
||
@property | ||
def latest_commit(self) -> Commit: | ||
"""the commit of the tracked tag.""" | ||
return self.tracked_tag.commit | ||
|
||
@property | ||
def tracked_tag(self) -> Tag: | ||
"""returns the tracked tag reference (of type git.Reference) or throws | ||
if such tag does not exist on the repo.""" | ||
try: | ||
return getattr(self._repo.tags, self._tag_name) | ||
except AttributeError as e: | ||
tags = [{"path": tag.path} for tag in self._repo.tags] | ||
logger.exception( | ||
"did not find main branch: {error}, instead found: {tags_found}", | ||
error=e, | ||
tags_found=tags, | ||
) | ||
raise GitFailed(e) | ||
|
||
@property | ||
def tracked_reference(self) -> Reference: | ||
return self.tracked_tag | ||
|
||
def pull(self) -> Tuple[bool, Commit, Commit]: | ||
"""Overrides the pull method to handle tag updates. | ||
|
||
Returns: | ||
pull_result (bool, Commit, Commit): a tuple consisting of: | ||
has_changes (bool): whether the tag has been moved to a different commit | ||
prev (Commit): the previous commit the tag was pointing to | ||
latest (Commit): the new commit the tag is currently pointing to | ||
""" | ||
self._fetch() | ||
self.checkout() | ||
|
||
if self.prev_commit.hexsha == self.latest_commit.hexsha: | ||
return False, self.prev_commit, self.prev_commit | ||
else: | ||
prev = self._prev_commit | ||
self._save_latest_commit_as_prev_commit() | ||
return True, prev, self.latest_commit |
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,81 @@ | ||
import os | ||
import sys | ||
|
||
import pytest | ||
|
||
# Add root opal dir to use local src as package for tests (i.e, no need for python -m pytest) | ||
root_dir = os.path.abspath( | ||
os.path.join( | ||
os.path.dirname(__file__), | ||
os.path.pardir, | ||
os.path.pardir, | ||
os.path.pardir, | ||
) | ||
) | ||
sys.path.append(root_dir) | ||
|
||
from pathlib import Path | ||
|
||
from git import Repo | ||
from git.objects.commit import Commit | ||
from opal_common.git.exceptions import GitFailed | ||
from opal_common.git.tag_tracker import TagTracker | ||
|
||
|
||
def test_pull_with_no_changes(local_repo_clone: Repo): | ||
"""Test pulling when there are no changes on the remote repo.""" | ||
repo: Repo = local_repo_clone # local repo, cloned from another local repo | ||
tracker = TagTracker(repo=repo, tag_name="test_tag") | ||
latest_commit: Commit = repo.head.commit | ||
assert latest_commit == tracker.latest_commit == tracker.prev_commit | ||
has_changes, prev, latest = tracker.pull() # pulls from origin | ||
assert has_changes == False | ||
assert latest_commit == prev == latest | ||
|
||
|
||
def test_pull_with_new_commits( | ||
local_repo: Repo, | ||
local_repo_clone: Repo, | ||
helpers, | ||
): | ||
"""Test pulling when there are changes (new commits) on the remote repo.""" | ||
remote_repo: Repo = ( | ||
local_repo # local repo, the 'origin' remote of 'local_repo_clone' | ||
) | ||
repo: Repo = local_repo_clone # local repo, cloned from 'local_repo' | ||
|
||
tracker = TagTracker(repo=repo, tag_name="test_tag") | ||
most_recent_commit_before_pull: Commit = repo.head.commit | ||
|
||
assert ( | ||
most_recent_commit_before_pull == tracker.latest_commit == tracker.prev_commit | ||
) | ||
|
||
# create new file commit on the remote repo | ||
helpers.create_new_file_commit( | ||
remote_repo, Path(remote_repo.working_tree_dir) / "2.txt" | ||
) | ||
|
||
helpers.update_tag_to_head(remote_repo, "test_tag") | ||
|
||
# now the remote repo tag is pointing at a different commit | ||
assert remote_repo.tags.__getattr__("test_tag").commit != repo.head.commit | ||
# and our tag tracker does not know it yet | ||
assert remote_repo.tags.__getattr__("test_tag").commit != tracker.latest_commit | ||
|
||
has_changes, prev, latest = tracker.pull() # pulls from origin | ||
assert has_changes == True | ||
assert prev != latest | ||
assert most_recent_commit_before_pull == prev | ||
assert ( | ||
remote_repo.tags.__getattr__("test_tag").commit | ||
== repo.tags.__getattr__("test_tag").commit | ||
== latest | ||
== tracker.latest_commit | ||
) | ||
|
||
|
||
def test_tracked_branch_does_not_exist(local_repo: Repo): | ||
"""Test that tag tracker throws when tag does not exist.""" | ||
with pytest.raises(GitFailed): | ||
tracker = TagTracker(local_repo, tag_name="no_such_tag") |
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -4,6 +4,7 @@ | |
from opal_common.git.branch_tracker import BranchTracker | ||
from opal_common.git.exceptions import GitFailed | ||
from opal_common.git.repo_cloner import RepoCloner | ||
from opal_common.git.tag_tracker import TagTracker | ||
from opal_common.logger import logger | ||
from opal_common.sources.base_policy_source import BasePolicySource | ||
|
||
|
@@ -30,7 +31,8 @@ def __init__( | |
self, | ||
remote_source_url: str, | ||
local_clone_path: str, | ||
branch_name: str = "master", | ||
branch_name: Optional[str] = None, | ||
tag_name: Optional[str] = None, | ||
ssh_key: Optional[str] = None, | ||
polling_interval: int = 0, | ||
request_timeout: int = 0, | ||
|
@@ -49,7 +51,16 @@ def __init__( | |
ssh_key=self._ssh_key, | ||
clone_timeout=request_timeout, | ||
) | ||
|
||
if branch_name is None and tag_name is None: | ||
logger.exception("Must provide either branch_name or tag_name") | ||
raise ValueError("Must provide either branch_name or tag_name") | ||
if branch_name is not None and tag_name is not None: | ||
logger.exception("Must provide either branch_name or tag_name, not both") | ||
raise ValueError("Must provide either branch_name or tag_name, not both") | ||
|
||
self._branch_name = branch_name | ||
self._tag_name = tag_name | ||
self._tracker = None | ||
|
||
async def get_initial_policy_state_from_remote(self): | ||
|
@@ -82,9 +93,14 @@ async def get_initial_policy_state_from_remote(self): | |
await self._on_git_failed(e) | ||
return | ||
|
||
self._tracker = BranchTracker( | ||
repo=repo, branch_name=self._branch_name, ssh_key=self._ssh_key | ||
) | ||
if self._tag_name is not None: | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Nicely done |
||
self._tracker = TagTracker( | ||
repo=repo, tag_name=self._tag_name, ssh_key=self._ssh_key | ||
) | ||
else: | ||
self._tracker = BranchTracker( | ||
repo=repo, branch_name=self._branch_name, ssh_key=self._ssh_key | ||
) | ||
|
||
async def check_for_changes(self): | ||
"""Calling this method will trigger a git pull from the tracked remote. | ||
|
@@ -98,7 +114,11 @@ async def check_for_changes(self): | |
) | ||
has_changes, prev, latest = self._tracker.pull() | ||
if not has_changes: | ||
logger.info("No new commits: HEAD is at '{head}'", head=latest.hexsha) | ||
logger.info( | ||
"No new commits: {ref} is at '{head}'", | ||
ref=self._tracker.tracked_reference.name, | ||
head=latest.hexsha, | ||
) | ||
else: | ||
logger.info( | ||
"Found new commits: old HEAD was '{prev_head}', new HEAD is '{new_head}'", | ||
|
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -99,7 +99,8 @@ class OpalServerConfig(Confi): | |
False, | ||
"Set if OPAL server should use a fixed clone path (and reuse if it already exists) instead of randomizing its suffix on each run", | ||
) | ||
POLICY_REPO_MAIN_BRANCH = confi.str("POLICY_REPO_MAIN_BRANCH", "master") | ||
POLICY_REPO_MAIN_BRANCH = confi.str("POLICY_REPO_MAIN_BRANCH", None) | ||
POLICY_REPO_TAG = confi.str("POLICY_REPO_TAG", None) | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. This is great, but notice that this only works with OPAL working with a single repo: branch/tag - and won't enable this feature for the OPAL scopes option. There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Right - I'll add it there as well. I've never used OPAL scopes myself so I'll need to read up a bit on how to test it. |
||
POLICY_REPO_SSH_KEY = confi.str("POLICY_REPO_SSH_KEY", None) | ||
POLICY_REPO_MANIFEST_PATH = confi.str( | ||
"POLICY_REPO_MANIFEST_PATH", | ||
|
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Since we are not within in a
except:
clause it's more correct to uselogger.error
See: https://docs.python.org/3/library/logging.html#logging.Logger.exception
Also maybe best to include the actual ENV-VAR name- as the average user will struggle with translating
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Alternatively you can raise the exception here, and just log it in a higher except clause- which would be nicer.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I see, thanks! Would that mean wrapping this in a try/except?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
That sounds like a good option, yes