mirror of https://github.com/python/cpython
46 lines
1.3 KiB
Python
46 lines
1.3 KiB
Python
|
import hashlib
|
||
|
import re
|
||
|
import os
|
||
|
|
||
|
|
||
|
def write_file(filename: str, new_contents: str) -> None:
|
||
|
"""Write new content to file, iff the content changed."""
|
||
|
try:
|
||
|
with open(filename, encoding="utf-8") as fp:
|
||
|
old_contents = fp.read()
|
||
|
|
||
|
if old_contents == new_contents:
|
||
|
# no change: avoid modifying the file modification time
|
||
|
return
|
||
|
except FileNotFoundError:
|
||
|
pass
|
||
|
# Atomic write using a temporary file and os.replace()
|
||
|
filename_new = f"{filename}.new"
|
||
|
with open(filename_new, "w", encoding="utf-8") as fp:
|
||
|
fp.write(new_contents)
|
||
|
try:
|
||
|
os.replace(filename_new, filename)
|
||
|
except:
|
||
|
os.unlink(filename_new)
|
||
|
raise
|
||
|
|
||
|
|
||
|
def compute_checksum(input_: str, length: int | None = None) -> str:
|
||
|
checksum = hashlib.sha1(input_.encode("utf-8")).hexdigest()
|
||
|
if length:
|
||
|
checksum = checksum[:length]
|
||
|
return checksum
|
||
|
|
||
|
|
||
|
def create_regex(
|
||
|
before: str, after: str, word: bool = True, whole_line: bool = True
|
||
|
) -> re.Pattern[str]:
|
||
|
"""Create a regex object for matching marker lines."""
|
||
|
group_re = r"\w+" if word else ".+"
|
||
|
before = re.escape(before)
|
||
|
after = re.escape(after)
|
||
|
pattern = fr"{before}({group_re}){after}"
|
||
|
if whole_line:
|
||
|
pattern = fr"^{pattern}$"
|
||
|
return re.compile(pattern)
|