Skip to content

Commit 2abc3a6

Browse files
committed
Extend pre-commit hook to check for missing pattern config
- This closes #6 - pre-commit hooks are now always installed by init - This also changes the semantics of the timezone switch of init Now warnings are the default and strict checking (abort) can be optioned (Related to #3) - Introduces a tzcheck command that solely checks for timezone changes - Hide the normal check command from the help (only for hook usage)
1 parent e3fa3b9 commit 2abc3a6

File tree

3 files changed

+85
-39
lines changed

3 files changed

+85
-39
lines changed

README.md

+20-11
Original file line numberDiff line numberDiff line change
@@ -48,18 +48,12 @@ Note: Git-privacy requires Python version 3.6 or later.
4848
### Redaction of New Commits
4949

5050
New commits are automatically redacted if git-privacy is initialised in a repo.
51-
This is achieve via a post-commit hook.
51+
This is achieved via a post-commit hook.
5252

5353
If you want to manually redact the last commit, run:
5454

5555
git-privacy redate --only-head
5656

57-
### View Unredacted Dates
58-
59-
To view the unredacted commit dates, git-privacy offers a git-log-like listing:
60-
61-
git-privacy log
62-
6357
### Bulk Re-dating of Commits
6458

6559
To redact and redate all commits of the currently active branch run:
@@ -81,12 +75,27 @@ For example, you can use this to redate all commits of branch since it has been
8175

8276
git-privacy redate master
8377

84-
## Optional: Timezone Change Warnings
78+
### View Unredacted Dates
79+
80+
To view the unredacted commit dates, git-privacy offers a git-log-like listing:
81+
82+
git-privacy log
83+
84+
Note: Unredacted dates are only preserved if you specify a password in the
85+
config which allows git-privacy to store the encrypted dates in the commit.
86+
87+
88+
### Time Zone Change Warnings
89+
90+
Git commit dates include your current system time zone. These time zones might
91+
leak information about your travel activities.
92+
Git-privacy warns you about any changes in your system time zone since your last commit.
93+
By default, this is just a warning.
94+
You can set git-privacy to prevent commits with changed time zone by running
8595

86-
Additionally you may install a pre-commit hook which currently checks if your timezone differs from the last commit.
87-
To do so simply execute:
96+
git-privacy init --timezone-change=abort
8897

89-
git-privacy init --enable-check
98+
or by setting the `privacy.ignoreTimezone` switch in the Git config to `False`.
9099

91100

92101
## Email Address Redaction

gitprivacy/gitprivacy.py

+35-17
Original file line numberDiff line numberDiff line change
@@ -36,7 +36,7 @@ def __init__(self, gitdir: str) -> None:
3636
self.salt = config.get_value(self.SECTION, 'salt', '')
3737
self.ignoreTimezone = bool(config.get_value(self.SECTION,
3838
'ignoreTimezone',
39-
False))
39+
True))
4040

4141
def get_crypto(self) -> Optional[EncryptionProvider]:
4242
if not self.password:
@@ -80,21 +80,27 @@ def cli(ctx: click.Context, gitdir):
8080

8181

8282
@cli.command('init')
83-
@click.option('-c', '--enable-check', is_flag=True,
84-
help="Enable execution of 'check' before committing.")
8583
@click.option('-g', '--global', "globally", is_flag=True,
8684
help="Setup a global template instead.")
85+
@click.option('--timezone-change', type=click.Choice(("warn", "abort")),
86+
#default="warn", show_default=True,
87+
help=("Reaction strategy to detected time zone changes pre commit."
88+
" (default: warn)"))
8789
@click.pass_context
88-
def do_init(ctx: click.Context, enable_check, globally):
90+
def do_init(ctx: click.Context, globally: bool,
91+
timezone_change: Optional[str]) -> None:
8992
"""Init git-privacy for this repository."""
9093
repo = ctx.obj.repo
9194
if globally:
9295
git_dir = get_template_dir(repo)
9396
else:
9497
git_dir = repo.git_dir
9598
copy_hook(git_dir, "post-commit")
96-
if enable_check:
97-
copy_hook(git_dir, "pre-commit")
99+
copy_hook(git_dir, "pre-commit")
100+
# only (over-)write settings if option is explicitly specified
101+
if timezone_change is not None:
102+
assert timezone_change in ("warn", "abort")
103+
ctx.obj.write_config(ignoreTimezone=(timezone_change == "warn"))
98104

99105

100106
def get_template_dir(repo: git.Repo) -> str:
@@ -259,13 +265,31 @@ def do_redate(ctx: click.Context, startpoint: str,
259265
rewriter.finish(rev)
260266

261267

262-
@cli.command('check')
268+
@cli.command('check', hidden=True)
263269
@click.pass_context
264270
def do_check(ctx: click.Context):
271+
"""Pre-commit checks."""
272+
# check for setup up redaction patterns
273+
ctx.obj.get_dateredacter() # raises errors if pattern is missing
274+
# check for timezone changes
275+
tzchanged = ctx.invoke(check_timezone_changes)
276+
if tzchanged and not ctx.obj.ignoreTimezone:
277+
click.echo(
278+
'\n'
279+
'abort commit (set "git config privacy.ignoreTimezone true"'
280+
' to commit anyway)',
281+
err=True,
282+
)
283+
ctx.exit(2)
284+
285+
286+
@cli.command('tzcheck')
287+
@click.pass_context
288+
def check_timezone_changes(ctx: click.Context) -> bool:
265289
"""Check for timezone change since last commit."""
266290
repo = ctx.obj.repo
267291
if not repo.head.is_valid():
268-
return # no previous commits
292+
return False # no previous commits
269293
with repo.config_reader() as cr:
270294
user_email = cr.get_value("user", "email", "")
271295
if not user_email:
@@ -277,7 +301,7 @@ def do_check(ctx: click.Context):
277301
)
278302
last_commit = next(user_commits, None)
279303
if last_commit is None:
280-
return # no previous commits by this user
304+
return False # no previous commits by this user
281305
current_tz = datetime.now(timezone.utc).astimezone().tzinfo
282306
if last_commit.author.email == user_email:
283307
last_tz = last_commit.authored_datetime.tzinfo
@@ -289,14 +313,8 @@ def do_check(ctx: click.Context):
289313
if (last_tz and current_tz and
290314
last_tz.utcoffset(dummy_date) != current_tz.utcoffset(dummy_date)):
291315
click.echo("Warning: Your timezone has changed since your last commit.", err=True)
292-
if not ctx.obj.ignoreTimezone:
293-
click.echo(
294-
'\n'
295-
'abort commit (set "git config privacy.ignoreTimezone true"'
296-
' to commit anyway)',
297-
err=True,
298-
)
299-
ctx.exit(2)
316+
return True
317+
return False
300318

301319

302320
cli.add_command(email.redact_email)

tests/test_gitprivacy.py

+30-11
Original file line numberDiff line numberDiff line change
@@ -239,11 +239,14 @@ def test_init(self):
239239
self.setConfig()
240240
result = self.invoke('init')
241241
self.assertEqual(result.exit_code, 0)
242-
self.assertEqual(result.output, "Installed post-commit hook" + os.linesep)
242+
self.assertEqual(result.output, os.linesep.join(
243+
f"Installed {hook} hook"
244+
for hook in ["post-commit", "pre-commit"]
245+
) + os.linesep)
243246
self.assertTrue(os.access(os.path.join(".git", "hooks", "post-commit"),
244247
os.R_OK | os.X_OK))
245-
self.assertFalse(os.access(os.path.join(".git", "hooks", "pre-commit"),
246-
os.F_OK))
248+
self.assertTrue(os.access(os.path.join(".git", "hooks", "pre-commit"),
249+
os.F_OK))
247250
a = self.addCommit("a") # gitpython already returns the rewritten commit
248251
self.assertEqual(a.authored_datetime,
249252
a.authored_datetime.replace(minute=0, second=0))
@@ -252,7 +255,7 @@ def test_initwithcheck(self):
252255
with self.runner.isolated_filesystem():
253256
self.setUpRepo()
254257
self.setConfig()
255-
result = self.invoke('init --enable-check')
258+
result = self.invoke('init --timezone-change=abort')
256259
self.assertEqual(result.exit_code, 0)
257260
self.assertEqual(result.output, os.linesep.join(
258261
f"Installed {hook} hook"
@@ -283,15 +286,16 @@ def test_checkchange(self):
283286
with self.runner.isolated_filesystem():
284287
self.setUpRepo()
285288
self.setConfig()
289+
self.git.config(["privacy.ignoreTimezone", "false"]) # default is ignore
286290
os.environ['TZ'] = 'Europe/London'
287291
time.tzset()
288292
a = self.addCommit("a")
289293
os.environ['TZ'] = 'Europe/Berlin'
290294
time.tzset()
291295
result = self.invoke('check')
292-
self.assertEqual(result.exit_code, 2)
293296
self.assertTrue(result.output.startswith(
294297
"Warning: Your timezone has changed"))
298+
self.assertEqual(result.exit_code, 2)
295299

296300
def test_checkchangeignore(self):
297301
with self.runner.isolated_filesystem():
@@ -312,7 +316,18 @@ def test_checkwithhook(self):
312316
with self.runner.isolated_filesystem():
313317
self.setUpRepo()
314318
self.setConfig()
315-
result = self.invoke('init -c')
319+
result = self.invoke('init')
320+
self.assertEqual(result.exit_code, 0)
321+
os.environ['TZ'] = 'Europe/London'
322+
time.tzset()
323+
a = self.addCommit("a")
324+
os.environ['TZ'] = 'Europe/Berlin'
325+
time.tzset()
326+
self.addCommit("b") # should not fail
327+
with self.runner.isolated_filesystem():
328+
self.setUpRepo()
329+
self.setConfig()
330+
result = self.invoke('init --timezone-change=abort')
316331
self.assertEqual(result.exit_code, 0)
317332
os.environ['TZ'] = 'Europe/London'
318333
time.tzset()
@@ -326,6 +341,7 @@ def test_checkdifferentusers(self):
326341
with self.runner.isolated_filesystem():
327342
self.setUpRepo()
328343
self.setConfig()
344+
self.git.config(["privacy.ignoreTimezone", "false"]) # default is ignore
329345
os.environ['TZ'] = 'Europe/London'
330346
time.tzset()
331347
self.git.config(["user.email", "[email protected]"])
@@ -444,7 +460,10 @@ def test_globaltemplate(self):
444460
self.git.config(["user.email", "[email protected]"])
445461
result = self.invoke('init -g')
446462
self.assertEqual(result.exit_code, 0)
447-
self.assertEqual(result.output, "Installed post-commit hook" + os.linesep)
463+
self.assertEqual(result.output, os.linesep.join(
464+
f"Installed {hook} hook"
465+
for hook in ["post-commit", "pre-commit"]
466+
) + os.linesep)
448467
# local Git repo initialised BEFORE global template was set up
449468
# hence the hooks are not present and active locally yet
450469
self.assertFalse(os.access(os.path.join(".git", "hooks", "post-commit"),
@@ -453,8 +472,8 @@ def test_globaltemplate(self):
453472
os.F_OK))
454473
self.assertTrue(os.access(os.path.join(templdir, "hooks", "post-commit"),
455474
os.R_OK | os.X_OK))
456-
self.assertFalse(os.access(os.path.join(templdir, "hooks", "pre-commit"),
457-
os.F_OK))
475+
self.assertTrue(os.access(os.path.join(templdir, "hooks", "pre-commit"),
476+
os.F_OK))
458477
a = self.addCommit("a") # gitpython already returns the rewritten commit
459478
self.assertNotEqual(a.authored_datetime,
460479
a.authored_datetime.replace(minute=0, second=0))
@@ -463,8 +482,8 @@ def test_globaltemplate(self):
463482
self.setUpRepo(templatedir=templdir)
464483
self.assertTrue(os.access(os.path.join(".git", "hooks", "post-commit"),
465484
os.R_OK | os.X_OK)) # now installed locally too
466-
self.assertFalse(os.access(os.path.join(".git", "hooks", "pre-commit"),
467-
os.F_OK))
485+
self.assertTrue(os.access(os.path.join(".git", "hooks", "pre-commit"),
486+
os.F_OK))
468487
b = self.addCommit("b") # gitpython already returns the rewritten commit
469488
self.assertEqual(b.authored_datetime,
470489
b.authored_datetime.replace(minute=0, second=0))

0 commit comments

Comments
 (0)