about summary refs log tree commit diff
path: root/tools/git-broom/git-broom.py
blob: 8721b3cdb1ef249e7864caa32c96d5b0682a7936 (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
#!/usr/bin/env python3

import argparse
import os
import re
import subprocess
import sys
from typing import List, Dict

import logging

logging.basicConfig(format="[%(asctime)s]%(levelname)s:%(message)s", level=logging.INFO)

# regular expression to find the name of the main branch on the remote
re_match_remote_branch = re.compile(r"ref: refs/heads/(?P<branch>\S+)\tHEAD")

# never delete any branches or references with one of these names
immortal_ref = ["main", "master", "HEAD"]

# that's how my remotes are usually named, and in that order of preference.
preferred_remotes = ["origin", "github", "work"]


class GitConfig(object):
    """Represent the configuration for the git repository."""

    def __init__(self) -> None:
        self.guess_remote()
        self.guess_primary_branch()
        self.remote_ref = f"{self.remote_name}/{self.primary_branch}"
        self.me = os.getenv("USER")

    def guess_remote(self) -> None:
        """Guess the name and URL for the remote repository.

        If the name of the remote is from the list of preferred remote, we
        return the name and URL.

        If we don't have a remote set, throw an exception.
        If we don't find any remote, throw an exception.
        """
        candidates = subprocess.run(
            ["git", "config", "--get-regexp", "remote\.[a-z0-9]+.url"],
            capture_output=True,
            check=True,
            encoding="utf-8",
        ).stdout.splitlines()

        if len(candidates) == 0:
            raise ValueError("No remote is defined.")

        remotes = dict()

        for candidate in candidates:
            parts = candidate.split(" ")
            remote = parts[0].split(".")[1]
            url = parts[1]
            remotes[remote] = url

        for remote in preferred_remotes:
            if remote in remotes:
                self.remote_name = remote
                self.remote_url = remotes[remote]
                return

        raise ValueError("can't find the preferred remote.")

    def guess_primary_branch(self) -> None:
        """Guess the primary branch on the remote.

        If we can't figure out the default branch, thrown an exception.
        """
        remote_head = subprocess.run(
            ["git", "ls-remote", "--symref", self.remote_name, "HEAD"],
            capture_output=True,
            check=True,
            encoding="utf-8",
        ).stdout.splitlines()

        for l in remote_head:
            m = re_match_remote_branch.match(l)
            if m:
                self.primary_branch = m.group("branch")
                return

        raise ValueError(
            f"can't find the name of the remote branch for {self.remote_name}"
        )


def is_git_repository() -> bool:
    """Check if we are inside a git repository.

    Return True if we are, false otherwise."""
    res = subprocess.run(
        ["git", "rev-parse", "--show-toplevel"], check=False, capture_output=True
    )
    return not res.returncode


def fetch(remote: str):
    """Fetch updates from the remote repository."""
    subprocess.run(["git", "fetch", remote, "--prune"], capture_output=True, check=True)


def ref_sha(ref: str) -> str:
    """Get the sha from a ref."""
    res = subprocess.run(
        ["git", "show-ref", ref], capture_output=True, check=True, encoding="utf-8"
    )
    return res.stdout.rstrip()


def get_branches(options: List[str]) -> List[str]:
    """Get a list of branches."""
    return subprocess.run(
        ["git", "branch", "--format", "%(refname:short)"] + options,
        capture_output=True,
        check=True,
        encoding="utf-8",
    ).stdout.splitlines()


def ref_tree(ref: str) -> str:
    """Get the reference from a tree."""
    return subprocess.run(
        ["git", "rev-parse", f"{ref}^{{tree}}"],
        check=True,
        capture_output=True,
        encoding="utf-8",
    ).stdout.rstrip()


def rebase_local_branches(config: GitConfig, local_rebase_tree_id: dict) -> None:
    """Try to rebase the local branches that have been not been merged."""
    for branch in get_branches(["--list", "--no-merged"]):
        _rebase_local_branch(branch, config, local_rebase_tree_id)


def _rebase_local_branch(
    branch: str, config: GitConfig, local_rebase_tree_id: dict
) -> None:
    res = subprocess.run(
        [
            "git",
            "merge-base",
            "--is-ancestor",
            config.remote_ref,
            branch,
        ],
        check=False,
        capture_output=True,
    )
    if res.returncode == 0:
        logging.info(
            f"local branch {branch} is already a descendant of {config.remote_ref}."
        )
        local_rebase_tree_id[branch] = ref_tree(branch)
        return

    logging.info(f"local branch {branch} will be rebased on {config.remote_ref}.")
    subprocess.run(
        ["git", "checkout", "--force", branch], check=True, capture_output=True
    )
    res = subprocess.run(
        ["git", "rebase", config.remote_ref], check=True, capture_output=True
    )
    if res.returncode == 0:
        logging.info(f"local branch {branch} has been rebased")
        local_rebase_tree_id[branch] = ref_tree(branch)
    else:
        logging.error(f"failed to rebase local branch {branch}.")
        subprocess.run(["git", "rebase", "--abort"], check=True)
        subprocess.run(
            ["git", "checkout", "--force", config.primary_branch], check=True
        )
        subprocess.run(["git", "reset", "--hard"], check=True)


def rebase_remote_branches(
    config: GitConfig, local_rebase_tree_id: dict, main_sha: str
) -> None:
    for branch in get_branches(
        ["--list", "-r", f"{config.me}/*", "--no-merged", config.remote_ref]
    ):
        _rebase_remote_branches(branch, config, local_rebase_tree_id, main_sha)


def _rebase_remote_branches(
    branch: str, config: GitConfig, local_rebase_tree_id: dict, main_sha: str
) -> None:
    remote, head = branch.split("/")
    if head in immortal_ref:
        return

    res = subprocess.run(
        ["git", "merge-base", "--is-ancestor", config.remote_ref, branch],
        check=False,
        capture_output=True,
    )
    if res.returncode == 0:
        logging.info(
            f"local branch {branch} is already a descendant of {config.remote_ref}."
        )
        return

    logging.info(f"remote branch {branch} will be rebased on {config.remote_ref}.")

    sha = ref_sha(branch)
    subprocess.run(["git", "checkout", "--force", sha], capture_output=True, check=True)
    res = subprocess.run(
        ["git", "rebase", config.remote_ref],
        capture_output=True,
        check=True,
    )
    if res.returncode == 0:
        new_sha = ref_sha("--head")
        short_sha = new_sha[0:8]
        logging.info(f"remote branch {branch} at {sha} rebased to {new_sha}.")
        if new_sha == main_sha:
            logging.info(f"remote branch {branch}, when rebased, is already merged!")
            logging.info(f"would run `git push {remote} :{head}'")
        elif new_sha == sha:
            logging.info(f"remote branch {branch}, when rebased, is unchanged!")
        elif ref_tree(new_sha) == local_rebase_tree_id.get(head, ""):
            logging.info(f"remote branch {branch}, when rebased, same as local branch!")
            logging.info(f"would run `git push --force-with-lease {remote} {head}'")
        else:
            logging.info(
                f"remote branch {branch} has been rebased to create {short_sha}!"
            )
            logging.info(
                f"would run `git push --force-with-lease {remote} {new_sha}:{head}'"
            )
    else:
        logging.error(f"failed to rebase remote branch {branch}.")
        subprocess.run(["git", "rebase", "--abort"], check=True)
        subprocess.run(
            ["git", "checkout", "--force", config.primary_branch], check=True
        )
        subprocess.run(["git", "reset", "--hard"], check=True)


def destroy_remote_merged_branches(config: GitConfig, dry_run: bool) -> None:
    """Destroy remote branches that have been merged."""
    for branch in get_branches(
        ["--list", "-r", f"{config.me}/*", "--merged", config.remote_ref]
    ):
        remote, head = branch.split("/")
        if head in immortal_ref:
            continue
        logging.info(f"remote branch {branch} has been merged")
        if dry_run:
            logging.info(f"would have run git push {remote} :{head}")
        else:
            subprocess.run(
                ["git", "push", remote, f":{head}"], check=True, encoding="utf-8"
            )


def destroy_local_merged_branches(config: GitConfig, dry_run: bool) -> None:
    """Destroy local branches that have been merged."""
    for branch in get_branches(["--list", "--merged", config.remote_ref]):
        if branch in immortal_ref:
            continue

        logging.info(f"local branch {branch} has been merged")
        if dry_run:
            logging.info(f"would have run git branch --delete --force {branch}")
        else:
            subprocess.run(
                ["git", "branch", "--delete", "--force", branch],
                check=True,
                encoding="utf-8",
            )


def workdir_is_clean() -> bool:
    """Check the git workdir is clean."""
    res = subprocess.run(
        ["git", "status", "--porcelain"],
        check=True,
        capture_output=True,
        encoding="utf-8",
    ).stdout.splitlines()
    return not len(res)


def main(dry_run: bool) -> bool:
    if not is_git_repository():
        logging.error("error: run this inside a git repository")
        return False

    if not workdir_is_clean():
        logging.error("the git workdir is not clean, commit or stash your changes.")
        return False

    config = GitConfig()

    # what's our current sha ?
    origin_main_sha = ref_sha(config.remote_ref)

    # let's get everything up to date
    fetch(config.remote_name)

    # let's get the new sha
    main_sha = ref_sha(config.remote_ref)

    if origin_main_sha != main_sha:
        logging.info(f"we started with {origin_main_sha} and now we have {main_sha}")

    local_rebase_tree_id: Dict[str, str] = dict()

    # try to rebase local branches that have been not been merged
    rebase_local_branches(config, local_rebase_tree_id)

    # try to rebase remote branches that have been not been merged
    rebase_remote_branches(config, local_rebase_tree_id, main_sha)

    # let's checkout to main now and see what left to do
    subprocess.run(
        ["git", "checkout", "--force", config.primary_branch],
        check=True,
        capture_output=True,
    )

    # branches on the remote that have been merged can be destroyed.
    destroy_remote_merged_branches(config, dry_run)

    # local branches that have been merged can be destroyed.
    destroy_local_merged_branches(config, dry_run)

    # TODO: restore to the branch I was on before ?
    return True


if __name__ == "__main__":
    parser = argparse.ArgumentParser(
        description="delete local and remote branches that have been merged."
    )
    parser.add_argument(
        "--dry-run",
        action=argparse.BooleanOptionalAction,
        help="when set to True, do not execute the destructive actions",
        default=True,
    )
    args = parser.parse_args()

    if not main(args.dry_run):
        sys.exit(1)