ignore.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391
  1. # Copyright (C) 2017 Jelmer Vernooij <jelmer@jelmer.uk>
  2. #
  3. # Dulwich is dual-licensed under the Apache License, Version 2.0 and the GNU
  4. # General Public License as public by the Free Software Foundation; version 2.0
  5. # or (at your option) any later version. You can redistribute it and/or
  6. # modify it under the terms of either of these two licenses.
  7. #
  8. # Unless required by applicable law or agreed to in writing, software
  9. # distributed under the License is distributed on an "AS IS" BASIS,
  10. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  11. # See the License for the specific language governing permissions and
  12. # limitations under the License.
  13. #
  14. # You should have received a copy of the licenses; if not, see
  15. # <http://www.gnu.org/licenses/> for a copy of the GNU General Public License
  16. # and <http://www.apache.org/licenses/LICENSE-2.0> for a copy of the Apache
  17. # License, Version 2.0.
  18. #
  19. """Parsing of gitignore files.
  20. For details for the matching rules, see https://git-scm.com/docs/gitignore
  21. """
  22. import os.path
  23. import re
  24. from typing import (
  25. BinaryIO,
  26. Iterable,
  27. List,
  28. Optional,
  29. TYPE_CHECKING,
  30. Dict,
  31. Union,
  32. )
  33. if TYPE_CHECKING:
  34. from dulwich.repo import Repo
  35. from dulwich.config import get_xdg_config_home_path, Config
  36. def _translate_segment(segment: bytes) -> bytes:
  37. if segment == b"*":
  38. return b"[^/]+"
  39. res = b""
  40. i, n = 0, len(segment)
  41. while i < n:
  42. c = segment[i : i + 1]
  43. i = i + 1
  44. if c == b"*":
  45. res += b"[^/]*"
  46. elif c == b"?":
  47. res += b"[^/]"
  48. elif c == b"[":
  49. j = i
  50. if j < n and segment[j : j + 1] == b"!":
  51. j = j + 1
  52. if j < n and segment[j : j + 1] == b"]":
  53. j = j + 1
  54. while j < n and segment[j : j + 1] != b"]":
  55. j = j + 1
  56. if j >= n:
  57. res += b"\\["
  58. else:
  59. stuff = segment[i:j].replace(b"\\", b"\\\\")
  60. i = j + 1
  61. if stuff.startswith(b"!"):
  62. stuff = b"^" + stuff[1:]
  63. elif stuff.startswith(b"^"):
  64. stuff = b"\\" + stuff
  65. res += b"[" + stuff + b"]"
  66. else:
  67. res += re.escape(c)
  68. return res
  69. def translate(pat: bytes) -> bytes:
  70. """Translate a shell PATTERN to a regular expression.
  71. There is no way to quote meta-characters.
  72. Originally copied from fnmatch in Python 2.7, but modified for Dulwich
  73. to cope with features in Git ignore patterns.
  74. """
  75. res = b"(?ms)"
  76. if b"/" not in pat[:-1]:
  77. # If there's no slash, this is a filename-based match
  78. res += b"(.*/)?"
  79. if pat.startswith(b"**/"):
  80. # Leading **/
  81. pat = pat[2:]
  82. res += b"(.*/)?"
  83. if pat.startswith(b"/"):
  84. pat = pat[1:]
  85. for i, segment in enumerate(pat.split(b"/")):
  86. if segment == b"**":
  87. res += b"(/.*)?"
  88. continue
  89. else:
  90. res += (re.escape(b"/") if i > 0 else b"") + _translate_segment(segment)
  91. if not pat.endswith(b"/"):
  92. res += b"/?"
  93. return res + b"\\Z"
  94. def read_ignore_patterns(f: BinaryIO) -> Iterable[bytes]:
  95. """Read a git ignore file.
  96. Args:
  97. f: File-like object to read from
  98. Returns: List of patterns
  99. """
  100. for line in f:
  101. line = line.rstrip(b"\r\n")
  102. # Ignore blank lines, they're used for readability.
  103. if not line:
  104. continue
  105. if line.startswith(b"#"):
  106. # Comment
  107. continue
  108. # Trailing spaces are ignored unless they are quoted with a backslash.
  109. while line.endswith(b" ") and not line.endswith(b"\\ "):
  110. line = line[:-1]
  111. line = line.replace(b"\\ ", b" ")
  112. yield line
  113. def match_pattern(path: bytes, pattern: bytes, ignorecase: bool = False) -> bool:
  114. """Match a gitignore-style pattern against a path.
  115. Args:
  116. path: Path to match
  117. pattern: Pattern to match
  118. ignorecase: Whether to do case-sensitive matching
  119. Returns:
  120. bool indicating whether the pattern matched
  121. """
  122. return Pattern(pattern, ignorecase).match(path)
  123. class Pattern(object):
  124. """A single ignore pattern."""
  125. def __init__(self, pattern: bytes, ignorecase: bool = False):
  126. self.pattern = pattern
  127. self.ignorecase = ignorecase
  128. if pattern[0:1] == b"!":
  129. self.is_exclude = False
  130. pattern = pattern[1:]
  131. else:
  132. if pattern[0:1] == b"\\":
  133. pattern = pattern[1:]
  134. self.is_exclude = True
  135. flags = 0
  136. if self.ignorecase:
  137. flags = re.IGNORECASE
  138. self._re = re.compile(translate(pattern), flags)
  139. def __bytes__(self) -> bytes:
  140. return self.pattern
  141. def __str__(self) -> str:
  142. return os.fsdecode(self.pattern)
  143. def __eq__(self, other: object) -> bool:
  144. return (
  145. isinstance(other, type(self))
  146. and self.pattern == other.pattern
  147. and self.ignorecase == other.ignorecase
  148. )
  149. def __repr__(self) -> str:
  150. return "%s(%r, %r)" % (
  151. type(self).__name__,
  152. self.pattern,
  153. self.ignorecase,
  154. )
  155. def match(self, path: bytes) -> bool:
  156. """Try to match a path against this ignore pattern.
  157. Args:
  158. path: Path to match (relative to ignore location)
  159. Returns: boolean
  160. """
  161. return bool(self._re.match(path))
  162. class IgnoreFilter(object):
  163. def __init__(self, patterns: Iterable[bytes], ignorecase: bool = False, path=None):
  164. self._patterns = [] # type: List[Pattern]
  165. self._ignorecase = ignorecase
  166. self._path = path
  167. for pattern in patterns:
  168. self.append_pattern(pattern)
  169. def append_pattern(self, pattern: bytes) -> None:
  170. """Add a pattern to the set."""
  171. self._patterns.append(Pattern(pattern, self._ignorecase))
  172. def find_matching(self, path: Union[bytes, str]) -> Iterable[Pattern]:
  173. """Yield all matching patterns for path.
  174. Args:
  175. path: Path to match
  176. Returns:
  177. Iterator over iterators
  178. """
  179. if not isinstance(path, bytes):
  180. path = os.fsencode(path)
  181. for pattern in self._patterns:
  182. if pattern.match(path):
  183. yield pattern
  184. def is_ignored(self, path: bytes) -> Optional[bool]:
  185. """Check whether a path is ignored.
  186. For directories, include a trailing slash.
  187. Returns: status is None if file is not mentioned, True if it is
  188. included, False if it is explicitly excluded.
  189. """
  190. status = None
  191. for pattern in self.find_matching(path):
  192. status = pattern.is_exclude
  193. return status
  194. @classmethod
  195. def from_path(cls, path, ignorecase: bool = False) -> "IgnoreFilter":
  196. with open(path, "rb") as f:
  197. return cls(read_ignore_patterns(f), ignorecase, path=path)
  198. def __repr__(self) -> str:
  199. path = getattr(self, "_path", None)
  200. if path is not None:
  201. return "%s.from_path(%r)" % (type(self).__name__, path)
  202. else:
  203. return "<%s>" % (type(self).__name__)
  204. class IgnoreFilterStack(object):
  205. """Check for ignore status in multiple filters."""
  206. def __init__(self, filters):
  207. self._filters = filters
  208. def is_ignored(self, path: str) -> Optional[bool]:
  209. """Check whether a path is explicitly included or excluded in ignores.
  210. Args:
  211. path: Path to check
  212. Returns:
  213. None if the file is not mentioned, True if it is included,
  214. False if it is explicitly excluded.
  215. """
  216. status = None
  217. for filter in self._filters:
  218. status = filter.is_ignored(path)
  219. if status is not None:
  220. return status
  221. return status
  222. def default_user_ignore_filter_path(config: Config) -> str:
  223. """Return default user ignore filter path.
  224. Args:
  225. config: A Config object
  226. Returns:
  227. Path to a global ignore file
  228. """
  229. try:
  230. return config.get((b"core",), b"excludesFile")
  231. except KeyError:
  232. pass
  233. return get_xdg_config_home_path("git", "ignore")
  234. class IgnoreFilterManager(object):
  235. """Ignore file manager."""
  236. def __init__(
  237. self,
  238. top_path: str,
  239. global_filters: List[IgnoreFilter],
  240. ignorecase: bool,
  241. ):
  242. self._path_filters = {} # type: Dict[str, Optional[IgnoreFilter]]
  243. self._top_path = top_path
  244. self._global_filters = global_filters
  245. self._ignorecase = ignorecase
  246. def __repr__(self) -> str:
  247. return "%s(%s, %r, %r)" % (
  248. type(self).__name__,
  249. self._top_path,
  250. self._global_filters,
  251. self._ignorecase,
  252. )
  253. def _load_path(self, path: str) -> Optional[IgnoreFilter]:
  254. try:
  255. return self._path_filters[path]
  256. except KeyError:
  257. pass
  258. p = os.path.join(self._top_path, path, ".gitignore")
  259. try:
  260. self._path_filters[path] = IgnoreFilter.from_path(p, self._ignorecase)
  261. except IOError:
  262. self._path_filters[path] = None
  263. return self._path_filters[path]
  264. def find_matching(self, path: str) -> Iterable[Pattern]:
  265. """Find matching patterns for path.
  266. Args:
  267. path: Path to check
  268. Returns:
  269. Iterator over Pattern instances
  270. """
  271. if os.path.isabs(path):
  272. raise ValueError("%s is an absolute path" % path)
  273. filters = [(0, f) for f in self._global_filters]
  274. if os.path.sep != "/":
  275. path = path.replace(os.path.sep, "/")
  276. parts = path.split("/")
  277. matches = []
  278. for i in range(len(parts) + 1):
  279. dirname = "/".join(parts[:i])
  280. for s, f in filters:
  281. relpath = "/".join(parts[s:i])
  282. if i < len(parts):
  283. # Paths leading up to the final part are all directories,
  284. # so need a trailing slash.
  285. relpath += "/"
  286. matches += list(f.find_matching(relpath))
  287. ignore_filter = self._load_path(dirname)
  288. if ignore_filter is not None:
  289. filters.insert(0, (i, ignore_filter))
  290. return iter(matches)
  291. def is_ignored(self, path: str) -> Optional[bool]:
  292. """Check whether a path is explicitly included or excluded in ignores.
  293. Args:
  294. path: Path to check
  295. Returns:
  296. None if the file is not mentioned, True if it is included,
  297. False if it is explicitly excluded.
  298. """
  299. matches = list(self.find_matching(path))
  300. if matches:
  301. return matches[-1].is_exclude
  302. return None
  303. @classmethod
  304. def from_repo(cls, repo: "Repo") -> "IgnoreFilterManager":
  305. """Create a IgnoreFilterManager from a repository.
  306. Args:
  307. repo: Repository object
  308. Returns:
  309. A `IgnoreFilterManager` object
  310. """
  311. global_filters = []
  312. for p in [
  313. os.path.join(repo.controldir(), "info", "exclude"),
  314. default_user_ignore_filter_path(repo.get_config_stack()),
  315. ]:
  316. try:
  317. global_filters.append(IgnoreFilter.from_path(os.path.expanduser(p)))
  318. except IOError:
  319. pass
  320. config = repo.get_config_stack()
  321. ignorecase = config.get_boolean((b"core"), (b"ignorecase"), False)
  322. return cls(repo.path, global_filters, ignorecase)