Reference for ultralytics/utils/git.py
Improvements
This page is sourced from https://github.com/ultralytics/ultralytics/blob/main/ultralytics/utils/git.py. Have an improvement or example to add? Open a Pull Request — thank you! 🙏
Summary
class ultralytics.utils.git.GitRepo
GitRepo(self, path: Path = Path(__file__).resolve())
Represent a local Git repository and expose branch, commit, and remote metadata.
This class discovers the repository root by searching for a .git entry from the given path upward, resolves the actual .git directory (including worktrees), and reads Git metadata directly from on-disk files. It does not invoke the git binary and therefore works in restricted environments. All metadata properties are resolved lazily and cached; construct a new instance to refresh state.
Args
| Name | Type | Description | Default |
|---|---|---|---|
path | Path, optional | File or directory path used as the starting point to locate the repository root. | Path(__file__).resolve() |
Attributes
| Name | Type | Description |
|---|---|---|
root | Path | None | Repository root directory containing the .git entry; None if not in a repository. |
gitdir | Path | None | Resolved .git directory path; handles worktrees; None if unresolved. |
head | str | None | Raw contents of HEAD; a SHA for detached HEAD or "ref: |
is_repo | bool | Whether the provided path resides inside a Git repository. |
branch | str | None | Current branch name when HEAD points to a branch; None for detached HEAD or non-repo. |
commit | str | None | Current commit SHA for HEAD; None if not determinable. |
origin | str | None | URL of the "origin" remote as read from gitdir/config; None if unset or unavailable. |
Methods
| Name | Description |
|---|---|
head | HEAD file contents. |
is_repo | True if inside a git repo. |
branch | Current branch or None. |
commit | Current commit SHA or None. |
origin | Origin URL or None. |
_find_root | Return repo root or None. |
_gitdir | Resolve actual .git directory (handles worktrees). |
_read | Read and strip file if exists. |
_ref_commit | Commit for ref (handles packed-refs). |
Examples
Initialize from the current working directory and read metadata
>>> from pathlib import Path
>>> repo = GitRepo(Path.cwd())
>>> repo.is_repo
True
>>> repo.branch, repo.commit[:7], repo.origin
('main', '1a2b3c4', 'https://example.com/owner/repo.git')
Notes
- Resolves metadata by reading files: HEAD, packed-refs, and config; no subprocess calls are used.
- Caches properties on first access using cached_property; recreate the object to reflect repository changes.
Source code in ultralytics/utils/git.py
View on GitHubclass GitRepo:
"""Represent a local Git repository and expose branch, commit, and remote metadata.
This class discovers the repository root by searching for a .git entry from the given path upward, resolves the
actual .git directory (including worktrees), and reads Git metadata directly from on-disk files. It does not invoke
the git binary and therefore works in restricted environments. All metadata properties are resolved lazily and
cached; construct a new instance to refresh state.
Attributes:
root (Path | None): Repository root directory containing the .git entry; None if not in a repository.
gitdir (Path | None): Resolved .git directory path; handles worktrees; None if unresolved.
head (str | None): Raw contents of HEAD; a SHA for detached HEAD or "ref: <refname>" for branch heads.
is_repo (bool): Whether the provided path resides inside a Git repository.
branch (str | None): Current branch name when HEAD points to a branch; None for detached HEAD or non-repo.
commit (str | None): Current commit SHA for HEAD; None if not determinable.
origin (str | None): URL of the "origin" remote as read from gitdir/config; None if unset or unavailable.
Examples:
Initialize from the current working directory and read metadata
>>> from pathlib import Path
>>> repo = GitRepo(Path.cwd())
>>> repo.is_repo
True
>>> repo.branch, repo.commit[:7], repo.origin
('main', '1a2b3c4', 'https://example.com/owner/repo.git')
Notes:
- Resolves metadata by reading files: HEAD, packed-refs, and config; no subprocess calls are used.
- Caches properties on first access using cached_property; recreate the object to reflect repository changes.
"""
def __init__(self, path: Path = Path(__file__).resolve()):
"""Initialize a Git repository context by discovering the repository root from a starting path.
Args:
path (Path, optional): File or directory path used as the starting point to locate the repository root.
"""
self.root = self._find_root(path)
self.gitdir = self._gitdir(self.root) if self.root else None
property ultralytics.utils.git.GitRepo.head
def head(self) -> str | None
HEAD file contents.
Source code in ultralytics/utils/git.py
View on GitHub@cached_property
def head(self) -> str | None:
"""HEAD file contents."""
return self._read(self.gitdir / "HEAD" if self.gitdir else None)
property ultralytics.utils.git.GitRepo.is_repo
def is_repo(self) -> bool
True if inside a git repo.
Source code in ultralytics/utils/git.py
View on GitHub@property
def is_repo(self) -> bool:
"""True if inside a git repo."""
return self.gitdir is not None
property ultralytics.utils.git.GitRepo.branch
def branch(self) -> str | None
Current branch or None.
Source code in ultralytics/utils/git.py
View on GitHub@cached_property
def branch(self) -> str | None:
"""Current branch or None."""
if not self.is_repo or not self.head or not self.head.startswith("ref: "):
return None
ref = self.head[5:].strip()
return ref[len("refs/heads/") :] if ref.startswith("refs/heads/") else ref
property ultralytics.utils.git.GitRepo.commit
def commit(self) -> str | None
Current commit SHA or None.
Source code in ultralytics/utils/git.py
View on GitHub@cached_property
def commit(self) -> str | None:
"""Current commit SHA or None."""
if not self.is_repo or not self.head:
return None
return self._ref_commit(self.head[5:].strip()) if self.head.startswith("ref: ") else self.head
property ultralytics.utils.git.GitRepo.origin
def origin(self) -> str | None
Origin URL or None.
Source code in ultralytics/utils/git.py
View on GitHub@cached_property
def origin(self) -> str | None:
"""Origin URL or None."""
if not self.is_repo:
return None
cfg = self.gitdir / "config"
remote, url = None, None
for s in (self._read(cfg) or "").splitlines():
t = s.strip()
if t.startswith("[") and t.endswith("]"):
remote = t.lower()
elif t.lower().startswith("url =") and remote == '[remote "origin"]':
url = t.split("=", 1)[1].strip()
break
return url
method ultralytics.utils.git.GitRepo._find_root
def _find_root(p: Path) -> Path | None
Return repo root or None.
Args
| Name | Type | Description | Default |
|---|---|---|---|
p | Path | required |
Source code in ultralytics/utils/git.py
View on GitHub@staticmethod
def _find_root(p: Path) -> Path | None:
"""Return repo root or None."""
return next((d for d in [p, *list(p.parents)] if (d / ".git").exists()), None)
method ultralytics.utils.git.GitRepo._gitdir
def _gitdir(root: Path) -> Path | None
Resolve actual .git directory (handles worktrees).
Args
| Name | Type | Description | Default |
|---|---|---|---|
root | Path | required |
Source code in ultralytics/utils/git.py
View on GitHub@staticmethod
def _gitdir(root: Path) -> Path | None:
"""Resolve actual .git directory (handles worktrees)."""
g = root / ".git"
if g.is_dir():
return g
if g.is_file():
t = g.read_text(errors="ignore").strip()
if t.startswith("gitdir:"):
return (root / t.split(":", 1)[1].strip()).resolve()
return None
method ultralytics.utils.git.GitRepo._read
def _read(self, p: Path | None) -> str | None
Read and strip file if exists.
Args
| Name | Type | Description | Default |
|---|---|---|---|
p | Path | None | required |
Source code in ultralytics/utils/git.py
View on GitHubdef _read(self, p: Path | None) -> str | None:
"""Read and strip file if exists."""
return p.read_text(errors="ignore").strip() if p and p.exists() else None
method ultralytics.utils.git.GitRepo._ref_commit
def _ref_commit(self, ref: str) -> str | None
Commit for ref (handles packed-refs).
Args
| Name | Type | Description | Default |
|---|---|---|---|
ref | str | required |
Source code in ultralytics/utils/git.py
View on GitHubdef _ref_commit(self, ref: str) -> str | None:
"""Commit for ref (handles packed-refs)."""
rf = self.gitdir / ref
if s := self._read(rf):
return s
pf = self.gitdir / "packed-refs"
b = pf.read_bytes().splitlines() if pf.exists() else []
tgt = ref.encode()
for line in b:
if line[:1] in (b"#", b"^") or b" " not in line:
continue
sha, name = line.split(b" ", 1)
if name.strip() == tgt:
return sha.decode()
return None