coverage 7.13.1__cp314-cp314t-musllinux_1_2_aarch64.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (61) hide show
  1. a1_coverage.pth +1 -0
  2. coverage/__init__.py +38 -0
  3. coverage/__main__.py +12 -0
  4. coverage/annotate.py +113 -0
  5. coverage/bytecode.py +197 -0
  6. coverage/cmdline.py +1220 -0
  7. coverage/collector.py +487 -0
  8. coverage/config.py +732 -0
  9. coverage/context.py +74 -0
  10. coverage/control.py +1514 -0
  11. coverage/core.py +139 -0
  12. coverage/data.py +251 -0
  13. coverage/debug.py +669 -0
  14. coverage/disposition.py +59 -0
  15. coverage/env.py +135 -0
  16. coverage/exceptions.py +85 -0
  17. coverage/execfile.py +329 -0
  18. coverage/files.py +553 -0
  19. coverage/html.py +860 -0
  20. coverage/htmlfiles/coverage_html.js +735 -0
  21. coverage/htmlfiles/favicon_32.png +0 -0
  22. coverage/htmlfiles/index.html +199 -0
  23. coverage/htmlfiles/keybd_closed.png +0 -0
  24. coverage/htmlfiles/pyfile.html +149 -0
  25. coverage/htmlfiles/style.css +389 -0
  26. coverage/htmlfiles/style.scss +844 -0
  27. coverage/inorout.py +590 -0
  28. coverage/jsonreport.py +200 -0
  29. coverage/lcovreport.py +218 -0
  30. coverage/misc.py +381 -0
  31. coverage/multiproc.py +120 -0
  32. coverage/numbits.py +146 -0
  33. coverage/parser.py +1215 -0
  34. coverage/patch.py +118 -0
  35. coverage/phystokens.py +197 -0
  36. coverage/plugin.py +617 -0
  37. coverage/plugin_support.py +299 -0
  38. coverage/pth_file.py +16 -0
  39. coverage/py.typed +1 -0
  40. coverage/python.py +272 -0
  41. coverage/pytracer.py +370 -0
  42. coverage/regions.py +127 -0
  43. coverage/report.py +298 -0
  44. coverage/report_core.py +117 -0
  45. coverage/results.py +502 -0
  46. coverage/sqldata.py +1212 -0
  47. coverage/sqlitedb.py +226 -0
  48. coverage/sysmon.py +509 -0
  49. coverage/templite.py +319 -0
  50. coverage/tomlconfig.py +212 -0
  51. coverage/tracer.cpython-314t-aarch64-linux-musl.so +0 -0
  52. coverage/tracer.pyi +43 -0
  53. coverage/types.py +214 -0
  54. coverage/version.py +35 -0
  55. coverage/xmlreport.py +263 -0
  56. coverage-7.13.1.dist-info/METADATA +200 -0
  57. coverage-7.13.1.dist-info/RECORD +61 -0
  58. coverage-7.13.1.dist-info/WHEEL +5 -0
  59. coverage-7.13.1.dist-info/entry_points.txt +4 -0
  60. coverage-7.13.1.dist-info/licenses/LICENSE.txt +177 -0
  61. coverage-7.13.1.dist-info/top_level.txt +1 -0
coverage/files.py ADDED
@@ -0,0 +1,553 @@
1
+ # Licensed under the Apache License: http://www.apache.org/licenses/LICENSE-2.0
2
+ # For details: https://github.com/coveragepy/coveragepy/blob/main/NOTICE.txt
3
+
4
+ """File wrangling."""
5
+
6
+ from __future__ import annotations
7
+
8
+ import hashlib
9
+ import ntpath
10
+ import os
11
+ import os.path
12
+ import posixpath
13
+ import re
14
+ import sys
15
+ from collections.abc import Callable, Iterable
16
+
17
+ from coverage import env
18
+ from coverage.exceptions import ConfigError
19
+ from coverage.misc import human_sorted, isolate_module, join_regex
20
+ from coverage.types import TMatcher
21
+
22
+ os = isolate_module(os)
23
+
24
+
25
+ RELATIVE_DIR: str = ""
26
+ CANONICAL_FILENAME_CACHE: dict[str, str] = {}
27
+
28
+
29
+ def set_relative_directory() -> None:
30
+ """Set the directory that `relative_filename` will be relative to."""
31
+ global RELATIVE_DIR, CANONICAL_FILENAME_CACHE
32
+
33
+ # The current directory
34
+ abs_curdir = abs_file(os.curdir)
35
+ if not abs_curdir.endswith(os.sep):
36
+ # Suffix with separator only if not at the system root
37
+ abs_curdir = abs_curdir + os.sep
38
+
39
+ # The absolute path to our current directory.
40
+ RELATIVE_DIR = os.path.normcase(abs_curdir)
41
+
42
+ # Cache of results of calling the canonical_filename() method, to
43
+ # avoid duplicating work.
44
+ CANONICAL_FILENAME_CACHE = {}
45
+
46
+
47
+ def relative_directory() -> str:
48
+ """Return the directory that `relative_filename` is relative to."""
49
+ return RELATIVE_DIR
50
+
51
+
52
+ def relative_filename(filename: str) -> str:
53
+ """Return the relative form of `filename`.
54
+
55
+ The file name will be relative to the current directory when the
56
+ `set_relative_directory` was called.
57
+
58
+ """
59
+ fnorm = os.path.normcase(filename)
60
+ if fnorm.startswith(RELATIVE_DIR):
61
+ filename = filename[len(RELATIVE_DIR) :]
62
+ return filename
63
+
64
+
65
+ def canonical_filename(filename: str) -> str:
66
+ """Return a canonical file name for `filename`.
67
+
68
+ An absolute path with no redundant components and normalized case.
69
+
70
+ """
71
+ if filename not in CANONICAL_FILENAME_CACHE:
72
+ cf = filename
73
+ if not os.path.isabs(filename):
74
+ for path in [os.curdir] + sys.path:
75
+ if path is None:
76
+ continue # type: ignore[unreachable]
77
+ f = os.path.join(path, filename)
78
+ try:
79
+ exists = os.path.exists(f)
80
+ except UnicodeError:
81
+ exists = False
82
+ if exists:
83
+ cf = f
84
+ break
85
+ cf = abs_file(cf)
86
+ CANONICAL_FILENAME_CACHE[filename] = cf
87
+ return CANONICAL_FILENAME_CACHE[filename]
88
+
89
+
90
+ def flat_rootname(filename: str) -> str:
91
+ """A base for a flat file name to correspond to this file.
92
+
93
+ Useful for writing files about the code where you want all the files in
94
+ the same directory, but need to differentiate same-named files from
95
+ different directories.
96
+
97
+ For example, the file a/b/c.py will return 'z_86bbcbe134d28fd2_c_py'
98
+
99
+ """
100
+ dirname, basename = ntpath.split(filename)
101
+ if dirname:
102
+ fp = hashlib.new(
103
+ "sha3_256",
104
+ dirname.encode("UTF-8"),
105
+ usedforsecurity=False,
106
+ ).hexdigest()[:16]
107
+ prefix = f"z_{fp}_"
108
+ else:
109
+ prefix = ""
110
+ return prefix + basename.replace(".", "_")
111
+
112
+
113
+ if env.WINDOWS:
114
+ _ACTUAL_PATH_CACHE: dict[str, str] = {}
115
+ _ACTUAL_PATH_LIST_CACHE: dict[str, list[str]] = {}
116
+
117
+ def actual_path(path: str) -> str:
118
+ """Get the actual path of `path`, including the correct case."""
119
+ if path in _ACTUAL_PATH_CACHE:
120
+ return _ACTUAL_PATH_CACHE[path]
121
+
122
+ head, tail = os.path.split(path)
123
+ if not tail:
124
+ # This means head is the drive spec: normalize it.
125
+ actpath = head.upper()
126
+ elif not head:
127
+ actpath = tail
128
+ else:
129
+ head = actual_path(head)
130
+ if head in _ACTUAL_PATH_LIST_CACHE:
131
+ files = _ACTUAL_PATH_LIST_CACHE[head]
132
+ else:
133
+ try:
134
+ files = os.listdir(head)
135
+ except Exception:
136
+ # This will raise OSError, or this bizarre TypeError:
137
+ # https://bugs.python.org/issue1776160
138
+ files = []
139
+ _ACTUAL_PATH_LIST_CACHE[head] = files
140
+ normtail = os.path.normcase(tail)
141
+ for f in files:
142
+ if os.path.normcase(f) == normtail:
143
+ tail = f
144
+ break
145
+ actpath = os.path.join(head, tail)
146
+ _ACTUAL_PATH_CACHE[path] = actpath
147
+ return actpath
148
+
149
+ else:
150
+
151
+ def actual_path(path: str) -> str:
152
+ """The actual path for non-Windows platforms."""
153
+ return path
154
+
155
+
156
+ def abs_file(path: str) -> str:
157
+ """Return the absolute normalized form of `path`."""
158
+ return actual_path(os.path.abspath(os.path.realpath(path)))
159
+
160
+
161
+ def zip_location(filename: str) -> tuple[str, str] | None:
162
+ """Split a filename into a zipfile / inner name pair.
163
+
164
+ Only return a pair if the zipfile exists. No check is made if the inner
165
+ name is in the zipfile.
166
+
167
+ """
168
+ for ext in [".zip", ".whl", ".egg", ".pex", ".par"]:
169
+ zipbase, extension, inner = filename.partition(ext + sep(filename))
170
+ if extension:
171
+ zipfile = zipbase + ext
172
+ if os.path.exists(zipfile):
173
+ return zipfile, inner
174
+ return None
175
+
176
+
177
+ def source_exists(path: str) -> bool:
178
+ """Determine if a source file path exists."""
179
+ if os.path.exists(path):
180
+ return True
181
+
182
+ if zip_location(path):
183
+ # If zip_location returns anything, then it's a zipfile that
184
+ # exists. That's good enough for us.
185
+ return True
186
+
187
+ return False
188
+
189
+
190
+ def python_reported_file(filename: str) -> str:
191
+ """Return the string as Python would describe this file name."""
192
+ return os.path.abspath(filename)
193
+
194
+
195
+ def isabs_anywhere(filename: str) -> bool:
196
+ """Is `filename` an absolute path on any OS?"""
197
+ return ntpath.isabs(filename) or posixpath.isabs(filename)
198
+
199
+
200
+ def prep_patterns(patterns: Iterable[str]) -> list[str]:
201
+ """Prepare the file patterns for use in a `GlobMatcher`.
202
+
203
+ If a pattern starts with a wildcard, it is used as a pattern
204
+ as-is. If it does not start with a wildcard, then it is made
205
+ absolute with the current directory.
206
+
207
+ If `patterns` is None, an empty list is returned.
208
+
209
+ """
210
+ prepped = []
211
+ for p in patterns or []:
212
+ prepped.append(p)
213
+ if not p.startswith(("*", "?")):
214
+ prepped.append(abs_file(p))
215
+ return prepped
216
+
217
+
218
+ class TreeMatcher(TMatcher):
219
+ """A matcher for files in a tree.
220
+
221
+ Construct with a list of paths, either files or directories. Paths match
222
+ with the `match` method if they are one of the files, or if they are
223
+ somewhere in a subtree rooted at one of the directories.
224
+
225
+ """
226
+
227
+ def __init__(self, paths: Iterable[str], name: str = "unknown") -> None:
228
+ self.original_paths: list[str] = human_sorted(paths)
229
+ self.paths = [os.path.normcase(p) for p in paths]
230
+ self.name = name
231
+
232
+ def __repr__(self) -> str:
233
+ return f"<TreeMatcher {self.name} {self.original_paths!r}>"
234
+
235
+ def info(self) -> list[str]:
236
+ """A list of strings for displaying when dumping state."""
237
+ return self.original_paths
238
+
239
+ def match(self, fpath: str) -> bool: # pylint: disable=arguments-renamed
240
+ """Does `fpath` indicate a file in one of our trees?"""
241
+ fpath = os.path.normcase(fpath)
242
+ for p in self.paths:
243
+ if fpath.startswith(p):
244
+ if fpath == p:
245
+ # This is the same file!
246
+ return True
247
+ if fpath[len(p)] == os.sep:
248
+ # This is a file in the directory
249
+ return True
250
+ return False
251
+
252
+
253
+ class ModuleMatcher(TMatcher):
254
+ """A matcher for modules in a tree."""
255
+
256
+ def __init__(self, module_names: Iterable[str], name: str = "unknown") -> None:
257
+ self.modules = list(module_names)
258
+ self.name = name
259
+
260
+ def __repr__(self) -> str:
261
+ return f"<ModuleMatcher {self.name} {self.modules!r}>"
262
+
263
+ def info(self) -> list[str]:
264
+ """A list of strings for displaying when dumping state."""
265
+ return self.modules
266
+
267
+ def match(self, module_name: str) -> bool: # pylint: disable=arguments-renamed
268
+ """Does `module_name` indicate a module in one of our packages?"""
269
+ if not module_name:
270
+ return False
271
+
272
+ for m in self.modules:
273
+ if module_name.startswith(m):
274
+ if module_name == m:
275
+ return True
276
+ if module_name[len(m)] == ".":
277
+ # This is a module in the package
278
+ return True
279
+
280
+ return False
281
+
282
+
283
+ class GlobMatcher(TMatcher):
284
+ """A matcher for files by file name pattern."""
285
+
286
+ def __init__(self, pats: Iterable[str], name: str = "unknown") -> None:
287
+ self.pats = list(pats)
288
+ self.re = globs_to_regex(self.pats, case_insensitive=env.WINDOWS)
289
+ self.name = name
290
+
291
+ def __repr__(self) -> str:
292
+ return f"<GlobMatcher {self.name} {self.pats!r}>"
293
+
294
+ def info(self) -> list[str]:
295
+ """A list of strings for displaying when dumping state."""
296
+ return self.pats
297
+
298
+ def match(self, fpath: str) -> bool: # pylint: disable=arguments-renamed
299
+ """Does `fpath` match one of our file name patterns?"""
300
+ return self.re.match(fpath) is not None
301
+
302
+
303
+ def sep(s: str) -> str:
304
+ """Find the path separator used in this string, or os.sep if none."""
305
+ if sep_match := re.search(r"[\\/]", s):
306
+ the_sep = sep_match[0]
307
+ else:
308
+ the_sep = os.sep
309
+ return the_sep
310
+
311
+
312
+ # Tokenizer for _glob_to_regex.
313
+ # None as a sub means disallowed.
314
+ # fmt: off
315
+ G2RX_TOKENS = [(re.compile(rx), sub) for rx, sub in [
316
+ (r"\*\*\*+", None), # Can't have ***
317
+ (r"[^/]+\*\*+", None), # Can't have x**
318
+ (r"\*\*+[^/]+", None), # Can't have **x
319
+ (r"\*\*/\*\*", None), # Can't have **/**
320
+ (r"^\*+/", r"(.*[/\\\\])?"), # ^*/ matches any prefix-slash, or nothing.
321
+ (r"/\*+$", r"[/\\\\].*"), # /*$ matches any slash-suffix.
322
+ (r"\*\*/", r"(.*[/\\\\])?"), # **/ matches any subdirs, including none
323
+ (r"/", r"[/\\\\]"), # / matches either slash or backslash
324
+ (r"\*", r"[^/\\\\]*"), # * matches any number of non slash-likes
325
+ (r"\?", r"[^/\\\\]"), # ? matches one non slash-like
326
+ (r"\[.*?\]", r"\g<0>"), # [a-f] matches [a-f]
327
+ (r"[a-zA-Z0-9_-]+", r"\g<0>"), # word chars match themselves
328
+ (r"[\[\]]", None), # Can't have single square brackets
329
+ (r".", r"\\\g<0>"), # Anything else is escaped to be safe
330
+ ]]
331
+ # fmt: on
332
+
333
+
334
+ def _glob_to_regex(pattern: str) -> str:
335
+ """Convert a file-path glob pattern into a regex."""
336
+ # Turn all backslashes into slashes to simplify the tokenizer.
337
+ pattern = pattern.replace("\\", "/")
338
+ if "/" not in pattern:
339
+ pattern = f"**/{pattern}"
340
+ path_rx = []
341
+ pos = 0
342
+ while pos < len(pattern):
343
+ for rx, sub in G2RX_TOKENS: # pragma: always breaks
344
+ if m := rx.match(pattern, pos=pos):
345
+ if sub is None:
346
+ raise ConfigError(f"File pattern can't include {m[0]!r}")
347
+ path_rx.append(m.expand(sub))
348
+ pos = m.end()
349
+ break
350
+ return "".join(path_rx)
351
+
352
+
353
+ def globs_to_regex(
354
+ patterns: Iterable[str],
355
+ case_insensitive: bool = False,
356
+ partial: bool = False,
357
+ ) -> re.Pattern[str]:
358
+ """Convert glob patterns to a compiled regex that matches any of them.
359
+
360
+ Slashes are always converted to match either slash or backslash, for
361
+ Windows support, even when running elsewhere.
362
+
363
+ If the pattern has no slash or backslash, then it is interpreted as
364
+ matching a file name anywhere it appears in the tree. Otherwise, the glob
365
+ pattern must match the whole file path.
366
+
367
+ If `partial` is true, then the pattern will match if the target string
368
+ starts with the pattern. Otherwise, it must match the entire string.
369
+
370
+ Returns: a compiled regex object. Use the .match method to compare target
371
+ strings.
372
+
373
+ """
374
+ flags = 0
375
+ if case_insensitive:
376
+ flags |= re.IGNORECASE
377
+ rx = join_regex(map(_glob_to_regex, patterns))
378
+ if not partial:
379
+ rx = rf"(?:{rx})\Z"
380
+ compiled = re.compile(rx, flags=flags)
381
+ return compiled
382
+
383
+
384
+ class PathAliases:
385
+ """A collection of aliases for paths.
386
+
387
+ When combining data files from remote machines, often the paths to source
388
+ code are different, for example, due to OS differences, or because of
389
+ serialized checkouts on continuous integration machines.
390
+
391
+ A `PathAliases` object tracks a list of pattern/result pairs, and can
392
+ map a path through those aliases to produce a unified path.
393
+
394
+ """
395
+
396
+ def __init__(
397
+ self,
398
+ debugfn: Callable[[str], None] | None = None,
399
+ relative: bool = False,
400
+ ) -> None:
401
+ # A list of (original_pattern, regex, result)
402
+ self.aliases: list[tuple[str, re.Pattern[str], str]] = []
403
+ self.debugfn = debugfn or (lambda msg: 0)
404
+ self.relative = relative
405
+ self.pprinted = False
406
+
407
+ def pprint(self) -> None:
408
+ """Dump the important parts of the PathAliases, for debugging."""
409
+ self.debugfn(f"Aliases (relative={self.relative}):")
410
+ for original_pattern, regex, result in self.aliases:
411
+ self.debugfn(f" Rule: {original_pattern!r} -> {result!r} using regex {regex.pattern!r}")
412
+
413
+ def add(self, pattern: str, result: str) -> None:
414
+ """Add the `pattern`/`result` pair to the list of aliases.
415
+
416
+ `pattern` is an `glob`-style pattern. `result` is a simple
417
+ string. When mapping paths, if a path starts with a match against
418
+ `pattern`, then that match is replaced with `result`. This models
419
+ isomorphic source trees being rooted at different places on two
420
+ different machines.
421
+
422
+ `pattern` can't end with a wildcard component, since that would
423
+ match an entire tree, and not just its root.
424
+
425
+ """
426
+ original_pattern = pattern
427
+ pattern_sep = sep(pattern)
428
+
429
+ if len(pattern) > 1:
430
+ pattern = pattern.rstrip(r"\/")
431
+
432
+ # The pattern can't end with a wildcard component.
433
+ if pattern.endswith("*"):
434
+ raise ConfigError("Pattern must not end with wildcards.")
435
+
436
+ # The pattern is meant to match a file path. Let's make it absolute
437
+ # unless it already is, or is meant to match any prefix.
438
+ if not self.relative:
439
+ if not pattern.startswith("*") and not isabs_anywhere(pattern + pattern_sep):
440
+ pattern = abs_file(pattern)
441
+ if not pattern.endswith(pattern_sep):
442
+ pattern += pattern_sep
443
+
444
+ # Make a regex from the pattern.
445
+ regex = globs_to_regex([pattern], case_insensitive=True, partial=True)
446
+
447
+ # Normalize the result: it must end with a path separator.
448
+ result_sep = sep(result)
449
+ result = result.rstrip(r"\/") + result_sep
450
+ self.aliases.append((original_pattern, regex, result))
451
+
452
+ def map(self, path: str, exists: Callable[[str], bool] = source_exists) -> str:
453
+ """Map `path` through the aliases.
454
+
455
+ `path` is checked against all of the patterns. The first pattern to
456
+ match is used to replace the root of the path with the result root.
457
+ Only one pattern is ever used. If no patterns match, `path` is
458
+ returned unchanged.
459
+
460
+ The separator style in the result is made to match that of the result
461
+ in the alias.
462
+
463
+ `exists` is a function to determine if the resulting path actually
464
+ exists.
465
+
466
+ Returns the mapped path. If a mapping has happened, this is a
467
+ canonical path. If no mapping has happened, it is the original value
468
+ of `path` unchanged.
469
+
470
+ """
471
+ if not self.pprinted:
472
+ self.pprint()
473
+ self.pprinted = True
474
+
475
+ for original_pattern, regex, result in self.aliases:
476
+ if m := regex.match(path):
477
+ new = path.replace(m[0], result)
478
+ new = new.replace(sep(path), sep(result))
479
+ if not self.relative:
480
+ new = canonical_filename(new)
481
+ dot_start = result.startswith(("./", ".\\")) and len(result) > 2
482
+ if new.startswith(("./", ".\\")) and not dot_start:
483
+ new = new[2:]
484
+ if not exists(new):
485
+ self.debugfn(
486
+ f"Rule {original_pattern!r} changed {path!r} to {new!r} "
487
+ + "which doesn't exist, continuing",
488
+ )
489
+ continue
490
+ self.debugfn(
491
+ f"Matched path {path!r} to rule {original_pattern!r} -> {result!r}, "
492
+ + f"producing {new!r}",
493
+ )
494
+ return new
495
+
496
+ # If we get here, no pattern matched.
497
+
498
+ if self.relative:
499
+ path = relative_filename(path)
500
+
501
+ if self.relative and not isabs_anywhere(path):
502
+ # Auto-generate a pattern to implicitly match relative files
503
+ parts = re.split(r"[/\\]", path)
504
+ if len(parts) > 1:
505
+ dir1 = parts[0]
506
+ pattern = f"*/{dir1}"
507
+ regex_pat = rf"^(.*[\\/])?{re.escape(dir1)}[\\/]"
508
+ result = f"{dir1}{os.sep}"
509
+ # Only add a new pattern if we don't already have this pattern.
510
+ if not any(p == pattern for p, _, _ in self.aliases):
511
+ self.debugfn(
512
+ f"Generating rule: {pattern!r} -> {result!r} using regex {regex_pat!r}",
513
+ )
514
+ self.aliases.append((pattern, re.compile(regex_pat), result))
515
+ return self.map(path, exists=exists)
516
+
517
+ self.debugfn(f"No rules match, path {path!r} is unchanged")
518
+ return path
519
+
520
+
521
+ def find_python_files(dirname: str, include_namespace_packages: bool) -> Iterable[str]:
522
+ """Yield all of the importable Python files in `dirname`, recursively.
523
+
524
+ To be importable, the files have to be in a directory with a __init__.py,
525
+ except for `dirname` itself, which isn't required to have one. The
526
+ assumption is that `dirname` was specified directly, so the user knows
527
+ best, but sub-directories are checked for a __init__.py to be sure we only
528
+ find the importable files.
529
+
530
+ If `include_namespace_packages` is True, then the check for __init__.py
531
+ files is skipped.
532
+
533
+ Files with strange characters are skipped, since they couldn't have been
534
+ imported, and are probably editor side-files.
535
+
536
+ """
537
+ for i, (dirpath, dirnames, filenames) in enumerate(os.walk(dirname)):
538
+ if not include_namespace_packages:
539
+ if i > 0 and "__init__.py" not in filenames:
540
+ # If a directory doesn't have __init__.py, then it isn't
541
+ # importable and neither are its files
542
+ del dirnames[:]
543
+ continue
544
+ for filename in filenames:
545
+ # We're only interested in files that look like reasonable Python
546
+ # files: Must end with .py or .pyw, and must not have certain funny
547
+ # characters that probably mean they are editor junk.
548
+ if re.match(r"^[^.#~!$@%^&*()+=,]+\.pyw?$", filename):
549
+ yield os.path.join(dirpath, filename)
550
+
551
+
552
+ # Globally set the relative directory.
553
+ set_relative_directory()