Skip to content

File: Broken/Core/BrokenPath.py

Broken.Core.BrokenPath

ShutilFormat

Bases: BrokenEnum

Source code in Broken/Core/BrokenPath.py
27
28
29
30
31
32
class ShutilFormat(BrokenEnum):
    Zip   = "zip"
    Tar   = "tar"
    TarGz = "tar.gz"
    TarBz = "tar.bz2"
    TarXz = "tar.xz"

Zip

Zip = 'zip'

Tar

Tar = 'tar'

TarGz

TarGz = 'tar.gz'

TarBz

TarBz = 'tar.bz2'

TarXz

TarXz = 'tar.xz'

BrokenPath

Bases: StaticClass

Source code in Broken/Core/BrokenPath.py
 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
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
class BrokenPath(StaticClass):

    def get(*parts: Any,
        absolute: bool=True,
        exists: bool=False,
        raises: bool=False,
    ) -> Optional[Path]:

        # Return None if all parts are falsy
        if not (parts := list(filter(None, parts))):
            return None

        # Create instance as normal
        path = Path(*map(str, parts))

        # Note that we do not want to .resolve() as having symlink paths _can_ be wanted
        path = (path.expanduser().absolute() if absolute else path)

        # Handle existence requirements
        if ((exists or raises) and not path.exists()):
            if raises:
                raise FileNotFoundError(f"Path ({path}) doesn't exist")
            return None

        return path

    def copy(src: Path, dst: Path, *, echo=True) -> Path:
        src, dst = BrokenPath.get(src), BrokenPath.get(dst)
        BrokenPath.mkdir(dst.parent, echo=False)
        if src.is_dir():
            log.info(f"Copying Directory ({src})\n→ ({dst})", echo=echo)
            shutil.copytree(src, dst)
        else:
            log.info(f"Copying File ({src})\n→ ({dst})", echo=echo)
            shutil.copy2(src, dst)
        return dst

    def move(src: Path, dst: Path, *, echo=True) -> Path:
        src, dst = BrokenPath.get(src), BrokenPath.get(dst)
        log.info(f"Moving ({src})\n→ ({dst})", echo=echo)
        shutil.move(src, dst)
        return dst

    def remove(path: Path, *, confirm=False, echo=True) -> Path:

        # Already removed or doesn't exist
        if not (path := BrokenPath.get(path)).exists():
            return path

        log.info(f"Removing Path ({path})", echo=echo)

        # Safety: Must not be common
        if path in (Path.cwd(), Path.home()):
            log.error(f"Avoided catastrophic failure by not removing ({path})")
            exit(1)

        # Symlinks are safe to remove
        if path.is_symlink():
            path.unlink()
            return path

        from rich.prompt import Prompt

        # Confirm removal: directory contains data
        if confirm and Prompt.ask(
            prompt=f"• Confirm removing path ({path})",
            choices=["y", "n"], default="n",
        ) == "n":
            return path

        # Remove the path
        if path.is_dir():
            shutil.rmtree(path, ignore_errors=True)
        else:
            path.unlink()

        return path

    def mkdir(path: Path, parent: bool=False, *, echo=True) -> Path:
        """Creates a directory and its parents, fail safe™"""
        path = BrokenPath.get(path)
        make = path.parent if parent else path
        if make.exists():
            log.success(f"Directory ({make}) already exists", echo=echo)
            return path
        log.info(f"Creating directory {make}", echo=echo)
        make.mkdir(parents=True, exist_ok=True)
        return path

    def recreate(path: Path, *, echo=True) -> Path:
        """Delete and re-create a directory"""
        return BrokenPath.mkdir(BrokenPath.remove(path, echo=echo), echo=echo)

    @contextlib.contextmanager
    def pushd(path: Path, *, echo: bool=True) -> Generator[Path, None, None]:
        """Change directory, then change back when done"""
        path = BrokenPath.get(path)
        cwd = os.getcwd()
        log.minor(f"Enter directory ({path})", echo=echo)
        os.chdir(path)
        yield path
        log.minor(f"Leave directory ({path})", echo=echo)
        os.chdir(cwd)

    def symlink(virtual: Path, real: Path, *, echo: bool=True) -> Path:
        """
        Symlink [virtual] -> [real], `virtual` being the symlink file and `real` the true path

        Args:
            virtual (Path): Symlink path (file)
            real (Path): Target path (real path)

        Returns:
            None if it fails, else `virtual` Path
        """
        log.info(f"Symlinking ({virtual})\n→ ({real})", echo=echo)

        # Return if already symlinked
        if (BrokenPath.get(virtual) == BrokenPath.get(real)):
            return virtual

        # Make Virtual's parent directory
        BrokenPath.mkdir(virtual.parent, echo=False)

        # Remove old symlink if it points to a non existing directory
        if virtual.is_symlink() and (not virtual.resolve().exists()):
            virtual.unlink()

        # Virtual doesn't exist, ok to create
        elif not virtual.exists():
            pass

        # File exists and is a symlink - safe to remove
        elif virtual.is_symlink():
            virtual.unlink()

        # Virtual is a directory and not empty
        elif virtual.is_dir() and (not os.listdir(virtual)):
            BrokenPath.remove(virtual, echo=False)

        else:
            if click.confirm('\n'.join((
                f"Path ({virtual}) exists, but Broken wants to create a symlink to ({real})",
                "• Confirm removing the 'virtual' path and continuing? (It might contain data or be a important symlink)"
            ))):
                BrokenPath.remove(virtual, echo=False)
            else:
                return

        try:
            virtual.symlink_to(real)
        except Exception as error:
            if BrokenPlatform.OnWindows:
                log.minor("Failed to create Symlink. Consider enabling 'Developer Mode' on Windows (https://rye.astral.sh/guide/faq/#windows-developer-mode)")
            else:
                raise error

        return virtual

    def make_executable(path: Path, *, echo=True) -> Path:
        """Make a file executable"""
        if BrokenPlatform.OnUnix:
            shell("chmod", "+x", path, echo=echo)
        elif BrokenPlatform.OnWindows:
            shell("attrib", "+x", path, echo=echo)
        return path

    def zip(path: Path, output: Path=None, *, format: ShutilFormat="zip", echo: bool=True, **options) -> Path:
        format = ShutilFormat.get(format).value
        output = BrokenPath.get(output or path).with_suffix(f".{format}")
        path   = BrokenPath.get(path)
        log.info(f"Zipping ({path})\n→ ({output})", echo=echo)
        BrokenPath.remove(output, echo=echo)
        shutil.make_archive(
            base_name=output.with_suffix(""),
            format=format,
            root_dir=path,
            **options
        )
        return output

    def zstd(path: Path, output: Path=None, *, remove: bool=False, echo: bool=True) -> Path:
        output = BrokenPath.get(output or path).with_suffix(".zst")
        path   = BrokenPath.get(path)

        import tarfile

        import zstandard as zstd

        with Halo(log.info(f"Compressing ({path}) → ({output})", echo=echo)):
            with open(output, "wb") as compressed:
                cctx = zstd.ZstdCompressor(level=3, threads=-1)
                with cctx.stream_writer(compressed) as compressor:
                    with tarfile.open(fileobj=compressor, mode="w|") as tar:
                        if path.is_dir():
                            for file in path.rglob("*"):
                                tar.add(file, arcname=file.relative_to(path))
                        else:
                            tar.add(path, arcname=path.name)
        if remove:
            BrokenPath.remove(path, echo=echo)

        return output

    def gzip(path: Path, output: Path=None, *, remove: bool=False, echo: bool=True) -> Path:
        output = BrokenPath.get(output or path).with_suffix(".tar.gz")
        path   = BrokenPath.get(path)

        import tarfile

        with Halo(log.info(f"Compressing ({path}) → ({output})", echo=echo)):
            with tarfile.open(output, "w:gz") as tar:
                if path.is_dir():
                    for file in path.rglob("*"):
                        tar.add(file, arcname=file.relative_to(path))
                else:
                    tar.add(path, arcname=path.name)
        if remove:
            BrokenPath.remove(path, echo=echo)

        return output

    def merge_zips(*zips: Path, output: Path, echo: bool=True) -> Path:
        """Merge multiple ZIP files into a single one"""
        import zipfile
        with zipfile.ZipFile(output, "w") as archive:
            for path in flatten(zips):
                with zipfile.ZipFile(path, "r") as other:
                    for file in other.filelist:
                        archive.writestr(file, other.read(file))
        return output

    def stem(path: Path) -> str:
        """
        Get the "true stem" of a path, as pathlib's only gets the last dot one
        • "/path/with/many.ext.ens.ions" -> "many" instead of "many.ext.ens"
        """
        stem = Path(Path(path).stem)
        while (stem := Path(stem).with_suffix("")).suffix:
            continue
        return str(stem)

    def sha256sum(data: Union[Path, str, bytes]) -> Optional[str]:
        """Get the sha256sum of a file, directory or bytes"""

        # Nibble the bytes !
        if isinstance(data, bytes):
            return hashlib.sha256(data).hexdigest()

        # String or Path is a valid path
        elif (path := BrokenPath.get(data)).exists():
            with Halo(log.info(f"Calculating sha256sum of ({path})")):
                if path.is_file():
                    return hashlib.sha256(path.read_bytes()).hexdigest()

                # Iterate on all files for low memory footprint
                feed = hashlib.sha256()
                for file in path.rglob("*"):
                    if not file.is_file():
                        continue
                    with open(file, "rb") as file:
                        while (chunk := file.read(8192)):
                            feed.update(chunk)
                return feed.hexdigest()

        elif isinstance(data, str):
            return hashlib.sha256(data.encode("utf-8")).hexdigest()

        return

    def extract(
        path: Path,
        output: Path=None,
        *,
        overwrite: bool=False,
        echo: bool=True
    ) -> Path:
        path, output = BrokenPath.get(path), BrokenPath.get(output)

        # Extract to the same directory by default
        if (output is None):
            output = path.parent

        # Add stem to the output as some archives might be flat
        output /= BrokenPath.stem(path)

        # Re-extract on order
        if overwrite:
            BrokenPath.remove(output)

        # A file to skip if it exists, created after successful extraction
        if (extract_flag := (output/"BrokenPath.extract.ok")).exists():
            log.minor(f"Already extracted ({output})", echo=echo)
        else:
            # Show progress as this might take a while on slower IOs
            log.info(f"Extracting ({path})\n→ ({output})", echo=echo)
            with Halo("Extracting archive.."):
                shutil.unpack_archive(path, output)
            extract_flag.touch()

        return output

    def url_filename(url: str) -> Path:
        return Path(url.split("#")[0].split("?")[0].split("/")[-1])

    def download(
        url: str,
        output: Path=None,
        *,
        size_check: bool=True,
        chunk: int=1024,
        echo: bool=True
    ) -> Optional[Path]:
        """
        Note: If the output is a directory, the url's file name will be appended to it
        Note: The output will default to Broken Project's Download directory
        """

        # Link must be valid
        if not validators.url(url):
            import click
            if not click.confirm(log.error(f"The following string doesn't look like a valid download URL on validator's eyes\n• ({url})\nContinue normally?")):
                return None

        # Default to Broken's Download directory
        if (output is None):
            output = Broken.BROKEN.DIRECTORIES.DOWNLOADS

        # Append url's file name to the output path
        if (output := BrokenPath.get(output)).is_dir():
            output /= BrokenPath.url_filename(url)

        log.info(f"Downloading\n• URL:  ({url})\n• Path: ({output})", echo=echo)

        # Without size check, the existence of the file is enough
        if (not size_check) and output.exists():
            log.minor("• File exists and Size check was skipped", echo=echo)
            return None

        try:
            import requests
            response = requests.get(url, stream=True, headers={"Accept-Encoding": None})
        except requests.exceptions.RequestException as error:
            log.error(f"• Failed to download: {error}", echo=echo)
            # Note: Return output as it might be downloaded but we're without internet
            return output

        # Note: The length header is not always present, if that, just check for existence
        if not (expected_size := int(response.headers.get('content-length', 0))):
            log.minor("The Download doesn't advertise a size, just checking for existence", echo=echo)
            if output.exists():
                return output

        # The file might already be (partially) downloaded
        if (expected_size and size_check) and output.exists():
            if (output.stat().st_size == expected_size):
                return output
            if (len(output.read_bytes()) == expected_size):
                return output
            log.warning("• Wrong Download size", echo=echo)

        log.info("Downloading", echo=echo)

        # It is binary prefix, right? kibi, mebi, gibi, etc. as we're dealing with raw bytes
        with open(output, "wb") as file, tqdm.tqdm(
            desc=f"Downloading ({output.name})",
            total=expected_size, unit="iB", unit_scale=True, unit_divisor=1024,
            mininterval=1/30, maxinterval=0.5, leave=False
        ) as progress:
            for data in response.iter_content(chunk_size=chunk):
                progress.update(file.write(data))

        # Url was invalid or something
        if (response.status_code != 200):
            log.error(f"Failed to Download File at ({url}):", echo=echo)
            log.error(f"• HTTP Error: {response.status_code}", echo=echo)
            return

        # Wrong downloaded and expected size
        elif (expected_size and size_check) and (output.stat().st_size != expected_size):
            log.error(f"File ({output}) was not downloaded correctly ({output.stat().st_size} != {expected_size})", echo=echo)
            return

        log.success(f"Downloaded file ({output}) from ({url})", echo=echo)
        return output

    def redirect(url: str) -> str:
        import requests
        return requests.head(url, allow_redirects=True).url

    def get_external(
        url: str, *,
        subdir: str="",
        redirect: bool=False,
        echo: bool=True
    ) -> Path:
        url  = BrokenPath.redirect(url) if redirect else url
        file = BrokenPath.url_filename(denum(url))

        # Is this file a .zip, .tar, etc..?
        ARCHIVE = any((str(file).endswith(ext) for ext in ShutilFormat.values()))

        # File is some known type, move to their own external directory
        if bool(subdir):
            directory = Broken.BROKEN.DIRECTORIES.EXTERNALS/subdir
        elif ARCHIVE:
            directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_ARCHIVES
        elif (file.suffix in FileExtensions.Audio):
            directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_AUDIO
        elif (file.suffix in FileExtensions.Image):
            directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_IMAGES
        elif (file.suffix in FileExtensions.Font):
            directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_FONTS
        elif (file.suffix in FileExtensions.Soundfont):
            directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_SOUNDFONTS
        elif (file.suffix in FileExtensions.Midi):
            directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_MIDIS
        else:
            directory = Broken.BROKEN.DIRECTORIES.EXTERNALS

        # Download to target directory, avoiding a move/copy, be known on future calls
        if not ARCHIVE:
            directory = (directory/subdir/file.name)

        # Finally download the file
        file = BrokenPath.download(denum(url), directory, echo=echo)

        # Maybe extract the downloaded file
        if ARCHIVE:
            file = BrokenPath.extract(file, echo=echo)

        return BrokenPath.add_to_path(path=file, recurse=True, echo=echo)

    def which(name: str) -> Optional[Path]:
        BrokenPath.update_externals_path()
        return BrokenPath.get(shutil.which(name))

    def update_externals_path(path: Path=None, *, echo: bool=True) -> Optional[Path]:
        path = (path or Broken.BROKEN.DIRECTORIES.EXTERNALS)
        return BrokenPath.add_to_path(path, recurse=True, echo=echo)

    def on_path(path: Path) -> bool:
        """Check if a path is on PATH, works with symlinks"""
        return (Path(path) in map(Path, Environment.get("PATH", "").split(os.pathsep)))

    def add_to_path(
        path: Path,
        *,
        recurse: bool=False,
        persistent: bool=False,
        prepend: bool=True,
        echo: bool=True
    ) -> Path:
        """
        Add a path, recursively or not, to System's Path or this Python process's Path

        Args:
            recurse: Also add all subdirectories of the given path
            persistent: Use 'userpath' package to add to the Shell's or Registry PATH
            preferential: Prepends the path for less priority on system binaries

        Returns:
            The Path argument itself
        """
        original = path = BrokenPath.get(path)

        if (path.is_file()):
            path = path.parent
            recurse = False

        # Can't recurse on non existing directories
        if (not path.exists()) and recurse:
            log.warning(f"Not adding to PATH as directory doesn't exist ({path})", echo=echo)
            return path

        log.debug(f"Adding to Path (Recursively: {recurse}, Persistent: {persistent}): ({path})", echo=echo)

        for other in list(path.rglob("*") if recurse else []) + [path]:

            # Skip conditions
            if other.is_file():
                continue
            if BrokenPath.on_path(other):
                continue

            # Actual logic
            if persistent:
                import userpath
                userpath.append(str(other))
            else:
                if prepend:
                    log.debug(f"• Prepending: ({other})", echo=echo)
                    Environment.set("PATH", str(other) + os.pathsep + Environment.get("PATH"))
                    sys.path.insert(0, str(other))
                else:
                    log.debug(f"• Appending: ({other})", echo=echo)
                    Environment.set("PATH", Environment.get("PATH") + os.pathsep + str(other))
                    sys.path.append(str(other))

        return original

    @staticmethod
    def directories(path: Union[Path, Iterable]) -> Iterable[Path]:
        if isinstance(path, Path):
            path = Path(path).glob("*")
        for item in map(Path, path):
            if item.is_dir():
                yield item

    @staticmethod
    def files(path: Union[Path, Iterable]) -> Iterable[Path]:
        if isinstance(path, Path):
            path = Path(path).glob("*")
        for item in map(Path, path):
            if item.is_file():
                yield item

    @staticmethod
    def delete_old_files(path: Path, maximum: int=20) -> None:
        files = list(os.scandir(path))

        if (overflow := (len(files) - maximum)) > 0:
            files = sorted(files, key=os.path.getmtime)

            for file in itertools.islice(files, overflow):
                os.unlink(file.path)

    # # Specific / "Utils"

    def explore(path: Path):
        """Opens a path in the file explorer"""
        path = Path(path)
        if path.is_file():
            path = path.parent
        if BrokenPlatform.OnWindows:
            os.startfile(str(path))
        elif BrokenPlatform.OnLinux:
            shell("xdg-open", path, Popen=True)
        elif BrokenPlatform.OnMacOS:
            shell("open", path, Popen=True)

    class Windows:
        class Magic:
            """Values got from https://learn.microsoft.com/en-us/previous-versions/windows/embedded/aa453707(v=msdn.10)"""
            Documents: int = 0x05
            Music:     int = 0x0D
            Video:     int = 0x0E
            Desktop:   int = 0x10
            Roaming:   int = 0x1A
            Local:     int = 0x1C
            Pictures:  int = 0x27
            Home:      int = 0x28

        class Type(Enum):
            Current = 0
            Default = 1

        @staticmethod
        def get(csidl: int, *, type: Type=Type.Current) -> Path:
            if (os.name != "nt"):
                raise RuntimeError("BrokenPath.Windows only makes sense on Windows")
            buffer = ctypes.create_unicode_buffer(ctypes.wintypes.MAX_PATH)
            ctypes.windll.shell32.SHGetFolderPathW(None, csidl, None, type.value, buffer)
            return Path(buffer.value)

        @functools.lru_cache
        def Documents(*, type: Type=Type.Current) -> Path:
            return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Documents, type=type)

        @functools.lru_cache
        def Music(*, type: Type=Type.Current) -> Path:
            return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Music, type=type)

        @functools.lru_cache
        def Video(*, type: Type=Type.Current) -> Path:
            return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Video, type=type)

        @functools.lru_cache
        def Desktop(*, type: Type=Type.Current) -> Path:
            return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Desktop, type=type)

        @functools.lru_cache
        def Roaming(*, type: Type=Type.Current) -> Path:
            return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Roaming, type=type)

        @functools.lru_cache
        def Local(*, type: Type=Type.Current) -> Path:
            return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Local, type=type)

        @functools.lru_cache
        def Pictures(*, type: Type=Type.Current) -> Path:
            return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Pictures, type=type)

get

get(
    *parts: Any,
    absolute: bool = True,
    exists: bool = False,
    raises: bool = False
) -> Optional[Path]
Source code in Broken/Core/BrokenPath.py
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
def get(*parts: Any,
    absolute: bool=True,
    exists: bool=False,
    raises: bool=False,
) -> Optional[Path]:

    # Return None if all parts are falsy
    if not (parts := list(filter(None, parts))):
        return None

    # Create instance as normal
    path = Path(*map(str, parts))

    # Note that we do not want to .resolve() as having symlink paths _can_ be wanted
    path = (path.expanduser().absolute() if absolute else path)

    # Handle existence requirements
    if ((exists or raises) and not path.exists()):
        if raises:
            raise FileNotFoundError(f"Path ({path}) doesn't exist")
        return None

    return path

copy

copy(src: Path, dst: Path, *, echo=True) -> Path
Source code in Broken/Core/BrokenPath.py
61
62
63
64
65
66
67
68
69
70
def copy(src: Path, dst: Path, *, echo=True) -> Path:
    src, dst = BrokenPath.get(src), BrokenPath.get(dst)
    BrokenPath.mkdir(dst.parent, echo=False)
    if src.is_dir():
        log.info(f"Copying Directory ({src})\n→ ({dst})", echo=echo)
        shutil.copytree(src, dst)
    else:
        log.info(f"Copying File ({src})\n→ ({dst})", echo=echo)
        shutil.copy2(src, dst)
    return dst

move

move(src: Path, dst: Path, *, echo=True) -> Path
Source code in Broken/Core/BrokenPath.py
72
73
74
75
76
def move(src: Path, dst: Path, *, echo=True) -> Path:
    src, dst = BrokenPath.get(src), BrokenPath.get(dst)
    log.info(f"Moving ({src})\n→ ({dst})", echo=echo)
    shutil.move(src, dst)
    return dst

remove

remove(path: Path, *, confirm=False, echo=True) -> Path
Source code in Broken/Core/BrokenPath.py
 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
def remove(path: Path, *, confirm=False, echo=True) -> Path:

    # Already removed or doesn't exist
    if not (path := BrokenPath.get(path)).exists():
        return path

    log.info(f"Removing Path ({path})", echo=echo)

    # Safety: Must not be common
    if path in (Path.cwd(), Path.home()):
        log.error(f"Avoided catastrophic failure by not removing ({path})")
        exit(1)

    # Symlinks are safe to remove
    if path.is_symlink():
        path.unlink()
        return path

    from rich.prompt import Prompt

    # Confirm removal: directory contains data
    if confirm and Prompt.ask(
        prompt=f"• Confirm removing path ({path})",
        choices=["y", "n"], default="n",
    ) == "n":
        return path

    # Remove the path
    if path.is_dir():
        shutil.rmtree(path, ignore_errors=True)
    else:
        path.unlink()

    return path

mkdir

mkdir(
    path: Path, parent: bool = False, *, echo=True
) -> Path

Creates a directory and its parents, fail safe™

Source code in Broken/Core/BrokenPath.py
113
114
115
116
117
118
119
120
121
122
def mkdir(path: Path, parent: bool=False, *, echo=True) -> Path:
    """Creates a directory and its parents, fail safe™"""
    path = BrokenPath.get(path)
    make = path.parent if parent else path
    if make.exists():
        log.success(f"Directory ({make}) already exists", echo=echo)
        return path
    log.info(f"Creating directory {make}", echo=echo)
    make.mkdir(parents=True, exist_ok=True)
    return path

recreate

recreate(path: Path, *, echo=True) -> Path

Delete and re-create a directory

Source code in Broken/Core/BrokenPath.py
124
125
126
def recreate(path: Path, *, echo=True) -> Path:
    """Delete and re-create a directory"""
    return BrokenPath.mkdir(BrokenPath.remove(path, echo=echo), echo=echo)

pushd

pushd(
    path: Path, *, echo: bool = True
) -> Generator[Path, None, None]

Change directory, then change back when done

Source code in Broken/Core/BrokenPath.py
128
129
130
131
132
133
134
135
136
137
@contextlib.contextmanager
def pushd(path: Path, *, echo: bool=True) -> Generator[Path, None, None]:
    """Change directory, then change back when done"""
    path = BrokenPath.get(path)
    cwd = os.getcwd()
    log.minor(f"Enter directory ({path})", echo=echo)
    os.chdir(path)
    yield path
    log.minor(f"Leave directory ({path})", echo=echo)
    os.chdir(cwd)
symlink(
    virtual: Path, real: Path, *, echo: bool = True
) -> Path

Symlink [virtual] -> [real], virtual being the symlink file and real the true path

Parameters:

  • virtual (Path) –

    Symlink path (file)

  • real (Path) –

    Target path (real path)

Returns:

  • Path

    None if it fails, else virtual Path

Source code in Broken/Core/BrokenPath.py
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
def symlink(virtual: Path, real: Path, *, echo: bool=True) -> Path:
    """
    Symlink [virtual] -> [real], `virtual` being the symlink file and `real` the true path

    Args:
        virtual (Path): Symlink path (file)
        real (Path): Target path (real path)

    Returns:
        None if it fails, else `virtual` Path
    """
    log.info(f"Symlinking ({virtual})\n→ ({real})", echo=echo)

    # Return if already symlinked
    if (BrokenPath.get(virtual) == BrokenPath.get(real)):
        return virtual

    # Make Virtual's parent directory
    BrokenPath.mkdir(virtual.parent, echo=False)

    # Remove old symlink if it points to a non existing directory
    if virtual.is_symlink() and (not virtual.resolve().exists()):
        virtual.unlink()

    # Virtual doesn't exist, ok to create
    elif not virtual.exists():
        pass

    # File exists and is a symlink - safe to remove
    elif virtual.is_symlink():
        virtual.unlink()

    # Virtual is a directory and not empty
    elif virtual.is_dir() and (not os.listdir(virtual)):
        BrokenPath.remove(virtual, echo=False)

    else:
        if click.confirm('\n'.join((
            f"Path ({virtual}) exists, but Broken wants to create a symlink to ({real})",
            "• Confirm removing the 'virtual' path and continuing? (It might contain data or be a important symlink)"
        ))):
            BrokenPath.remove(virtual, echo=False)
        else:
            return

    try:
        virtual.symlink_to(real)
    except Exception as error:
        if BrokenPlatform.OnWindows:
            log.minor("Failed to create Symlink. Consider enabling 'Developer Mode' on Windows (https://rye.astral.sh/guide/faq/#windows-developer-mode)")
        else:
            raise error

    return virtual

make_executable

make_executable(path: Path, *, echo=True) -> Path

Make a file executable

Source code in Broken/Core/BrokenPath.py
194
195
196
197
198
199
200
def make_executable(path: Path, *, echo=True) -> Path:
    """Make a file executable"""
    if BrokenPlatform.OnUnix:
        shell("chmod", "+x", path, echo=echo)
    elif BrokenPlatform.OnWindows:
        shell("attrib", "+x", path, echo=echo)
    return path

zip

zip(
    path: Path,
    output: Path = None,
    *,
    format: ShutilFormat = "zip",
    echo: bool = True,
    **options
) -> Path
Source code in Broken/Core/BrokenPath.py
202
203
204
205
206
207
208
209
210
211
212
213
214
def zip(path: Path, output: Path=None, *, format: ShutilFormat="zip", echo: bool=True, **options) -> Path:
    format = ShutilFormat.get(format).value
    output = BrokenPath.get(output or path).with_suffix(f".{format}")
    path   = BrokenPath.get(path)
    log.info(f"Zipping ({path})\n→ ({output})", echo=echo)
    BrokenPath.remove(output, echo=echo)
    shutil.make_archive(
        base_name=output.with_suffix(""),
        format=format,
        root_dir=path,
        **options
    )
    return output

zstd

zstd(
    path: Path,
    output: Path = None,
    *,
    remove: bool = False,
    echo: bool = True
) -> Path
Source code in Broken/Core/BrokenPath.py
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
def zstd(path: Path, output: Path=None, *, remove: bool=False, echo: bool=True) -> Path:
    output = BrokenPath.get(output or path).with_suffix(".zst")
    path   = BrokenPath.get(path)

    import tarfile

    import zstandard as zstd

    with Halo(log.info(f"Compressing ({path}) → ({output})", echo=echo)):
        with open(output, "wb") as compressed:
            cctx = zstd.ZstdCompressor(level=3, threads=-1)
            with cctx.stream_writer(compressed) as compressor:
                with tarfile.open(fileobj=compressor, mode="w|") as tar:
                    if path.is_dir():
                        for file in path.rglob("*"):
                            tar.add(file, arcname=file.relative_to(path))
                    else:
                        tar.add(path, arcname=path.name)
    if remove:
        BrokenPath.remove(path, echo=echo)

    return output

gzip

gzip(
    path: Path,
    output: Path = None,
    *,
    remove: bool = False,
    echo: bool = True
) -> Path
Source code in Broken/Core/BrokenPath.py
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
def gzip(path: Path, output: Path=None, *, remove: bool=False, echo: bool=True) -> Path:
    output = BrokenPath.get(output or path).with_suffix(".tar.gz")
    path   = BrokenPath.get(path)

    import tarfile

    with Halo(log.info(f"Compressing ({path}) → ({output})", echo=echo)):
        with tarfile.open(output, "w:gz") as tar:
            if path.is_dir():
                for file in path.rglob("*"):
                    tar.add(file, arcname=file.relative_to(path))
            else:
                tar.add(path, arcname=path.name)
    if remove:
        BrokenPath.remove(path, echo=echo)

    return output

merge_zips

merge_zips(
    *zips: Path, output: Path, echo: bool = True
) -> Path

Merge multiple ZIP files into a single one

Source code in Broken/Core/BrokenPath.py
257
258
259
260
261
262
263
264
265
def merge_zips(*zips: Path, output: Path, echo: bool=True) -> Path:
    """Merge multiple ZIP files into a single one"""
    import zipfile
    with zipfile.ZipFile(output, "w") as archive:
        for path in flatten(zips):
            with zipfile.ZipFile(path, "r") as other:
                for file in other.filelist:
                    archive.writestr(file, other.read(file))
    return output

stem

stem(path: Path) -> str

Get the "true stem" of a path, as pathlib's only gets the last dot one • "/path/with/many.ext.ens.ions" -> "many" instead of "many.ext.ens"

Source code in Broken/Core/BrokenPath.py
267
268
269
270
271
272
273
274
275
def stem(path: Path) -> str:
    """
    Get the "true stem" of a path, as pathlib's only gets the last dot one
    • "/path/with/many.ext.ens.ions" -> "many" instead of "many.ext.ens"
    """
    stem = Path(Path(path).stem)
    while (stem := Path(stem).with_suffix("")).suffix:
        continue
    return str(stem)

sha256sum

sha256sum(data: Union[Path, str, bytes]) -> Optional[str]

Get the sha256sum of a file, directory or bytes

Source code in Broken/Core/BrokenPath.py
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
def sha256sum(data: Union[Path, str, bytes]) -> Optional[str]:
    """Get the sha256sum of a file, directory or bytes"""

    # Nibble the bytes !
    if isinstance(data, bytes):
        return hashlib.sha256(data).hexdigest()

    # String or Path is a valid path
    elif (path := BrokenPath.get(data)).exists():
        with Halo(log.info(f"Calculating sha256sum of ({path})")):
            if path.is_file():
                return hashlib.sha256(path.read_bytes()).hexdigest()

            # Iterate on all files for low memory footprint
            feed = hashlib.sha256()
            for file in path.rglob("*"):
                if not file.is_file():
                    continue
                with open(file, "rb") as file:
                    while (chunk := file.read(8192)):
                        feed.update(chunk)
            return feed.hexdigest()

    elif isinstance(data, str):
        return hashlib.sha256(data.encode("utf-8")).hexdigest()

    return

extract

extract(
    path: Path,
    output: Path = None,
    *,
    overwrite: bool = False,
    echo: bool = True
) -> Path
Source code in Broken/Core/BrokenPath.py
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
def extract(
    path: Path,
    output: Path=None,
    *,
    overwrite: bool=False,
    echo: bool=True
) -> Path:
    path, output = BrokenPath.get(path), BrokenPath.get(output)

    # Extract to the same directory by default
    if (output is None):
        output = path.parent

    # Add stem to the output as some archives might be flat
    output /= BrokenPath.stem(path)

    # Re-extract on order
    if overwrite:
        BrokenPath.remove(output)

    # A file to skip if it exists, created after successful extraction
    if (extract_flag := (output/"BrokenPath.extract.ok")).exists():
        log.minor(f"Already extracted ({output})", echo=echo)
    else:
        # Show progress as this might take a while on slower IOs
        log.info(f"Extracting ({path})\n→ ({output})", echo=echo)
        with Halo("Extracting archive.."):
            shutil.unpack_archive(path, output)
        extract_flag.touch()

    return output

url_filename

url_filename(url: str) -> Path
Source code in Broken/Core/BrokenPath.py
337
338
def url_filename(url: str) -> Path:
    return Path(url.split("#")[0].split("?")[0].split("/")[-1])

download

download(
    url: str,
    output: Path = None,
    *,
    size_check: bool = True,
    chunk: int = 1024,
    echo: bool = True
) -> Optional[Path]

Note: If the output is a directory, the url's file name will be appended to it Note: The output will default to Broken Project's Download directory

Source code in Broken/Core/BrokenPath.py
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
def download(
    url: str,
    output: Path=None,
    *,
    size_check: bool=True,
    chunk: int=1024,
    echo: bool=True
) -> Optional[Path]:
    """
    Note: If the output is a directory, the url's file name will be appended to it
    Note: The output will default to Broken Project's Download directory
    """

    # Link must be valid
    if not validators.url(url):
        import click
        if not click.confirm(log.error(f"The following string doesn't look like a valid download URL on validator's eyes\n• ({url})\nContinue normally?")):
            return None

    # Default to Broken's Download directory
    if (output is None):
        output = Broken.BROKEN.DIRECTORIES.DOWNLOADS

    # Append url's file name to the output path
    if (output := BrokenPath.get(output)).is_dir():
        output /= BrokenPath.url_filename(url)

    log.info(f"Downloading\n• URL:  ({url})\n• Path: ({output})", echo=echo)

    # Without size check, the existence of the file is enough
    if (not size_check) and output.exists():
        log.minor("• File exists and Size check was skipped", echo=echo)
        return None

    try:
        import requests
        response = requests.get(url, stream=True, headers={"Accept-Encoding": None})
    except requests.exceptions.RequestException as error:
        log.error(f"• Failed to download: {error}", echo=echo)
        # Note: Return output as it might be downloaded but we're without internet
        return output

    # Note: The length header is not always present, if that, just check for existence
    if not (expected_size := int(response.headers.get('content-length', 0))):
        log.minor("The Download doesn't advertise a size, just checking for existence", echo=echo)
        if output.exists():
            return output

    # The file might already be (partially) downloaded
    if (expected_size and size_check) and output.exists():
        if (output.stat().st_size == expected_size):
            return output
        if (len(output.read_bytes()) == expected_size):
            return output
        log.warning("• Wrong Download size", echo=echo)

    log.info("Downloading", echo=echo)

    # It is binary prefix, right? kibi, mebi, gibi, etc. as we're dealing with raw bytes
    with open(output, "wb") as file, tqdm.tqdm(
        desc=f"Downloading ({output.name})",
        total=expected_size, unit="iB", unit_scale=True, unit_divisor=1024,
        mininterval=1/30, maxinterval=0.5, leave=False
    ) as progress:
        for data in response.iter_content(chunk_size=chunk):
            progress.update(file.write(data))

    # Url was invalid or something
    if (response.status_code != 200):
        log.error(f"Failed to Download File at ({url}):", echo=echo)
        log.error(f"• HTTP Error: {response.status_code}", echo=echo)
        return

    # Wrong downloaded and expected size
    elif (expected_size and size_check) and (output.stat().st_size != expected_size):
        log.error(f"File ({output}) was not downloaded correctly ({output.stat().st_size} != {expected_size})", echo=echo)
        return

    log.success(f"Downloaded file ({output}) from ({url})", echo=echo)
    return output

redirect

redirect(url: str) -> str
Source code in Broken/Core/BrokenPath.py
421
422
423
def redirect(url: str) -> str:
    import requests
    return requests.head(url, allow_redirects=True).url

get_external

get_external(
    url: str,
    *,
    subdir: str = "",
    redirect: bool = False,
    echo: bool = True
) -> Path
Source code in Broken/Core/BrokenPath.py
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
def get_external(
    url: str, *,
    subdir: str="",
    redirect: bool=False,
    echo: bool=True
) -> Path:
    url  = BrokenPath.redirect(url) if redirect else url
    file = BrokenPath.url_filename(denum(url))

    # Is this file a .zip, .tar, etc..?
    ARCHIVE = any((str(file).endswith(ext) for ext in ShutilFormat.values()))

    # File is some known type, move to their own external directory
    if bool(subdir):
        directory = Broken.BROKEN.DIRECTORIES.EXTERNALS/subdir
    elif ARCHIVE:
        directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_ARCHIVES
    elif (file.suffix in FileExtensions.Audio):
        directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_AUDIO
    elif (file.suffix in FileExtensions.Image):
        directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_IMAGES
    elif (file.suffix in FileExtensions.Font):
        directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_FONTS
    elif (file.suffix in FileExtensions.Soundfont):
        directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_SOUNDFONTS
    elif (file.suffix in FileExtensions.Midi):
        directory = Broken.BROKEN.DIRECTORIES.EXTERNAL_MIDIS
    else:
        directory = Broken.BROKEN.DIRECTORIES.EXTERNALS

    # Download to target directory, avoiding a move/copy, be known on future calls
    if not ARCHIVE:
        directory = (directory/subdir/file.name)

    # Finally download the file
    file = BrokenPath.download(denum(url), directory, echo=echo)

    # Maybe extract the downloaded file
    if ARCHIVE:
        file = BrokenPath.extract(file, echo=echo)

    return BrokenPath.add_to_path(path=file, recurse=True, echo=echo)

which

which(name: str) -> Optional[Path]
Source code in Broken/Core/BrokenPath.py
468
469
470
def which(name: str) -> Optional[Path]:
    BrokenPath.update_externals_path()
    return BrokenPath.get(shutil.which(name))

update_externals_path

update_externals_path(
    path: Path = None, *, echo: bool = True
) -> Optional[Path]
Source code in Broken/Core/BrokenPath.py
472
473
474
def update_externals_path(path: Path=None, *, echo: bool=True) -> Optional[Path]:
    path = (path or Broken.BROKEN.DIRECTORIES.EXTERNALS)
    return BrokenPath.add_to_path(path, recurse=True, echo=echo)

on_path

on_path(path: Path) -> bool

Check if a path is on PATH, works with symlinks

Source code in Broken/Core/BrokenPath.py
476
477
478
def on_path(path: Path) -> bool:
    """Check if a path is on PATH, works with symlinks"""
    return (Path(path) in map(Path, Environment.get("PATH", "").split(os.pathsep)))

add_to_path

add_to_path(
    path: Path,
    *,
    recurse: bool = False,
    persistent: bool = False,
    prepend: bool = True,
    echo: bool = True
) -> Path

Add a path, recursively or not, to System's Path or this Python process's Path

Parameters:

  • recurse (bool, default: False ) –

    Also add all subdirectories of the given path

  • persistent (bool, default: False ) –

    Use 'userpath' package to add to the Shell's or Registry PATH

  • preferential

    Prepends the path for less priority on system binaries

Returns:

  • Path

    The Path argument itself

Source code in Broken/Core/BrokenPath.py
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
def add_to_path(
    path: Path,
    *,
    recurse: bool=False,
    persistent: bool=False,
    prepend: bool=True,
    echo: bool=True
) -> Path:
    """
    Add a path, recursively or not, to System's Path or this Python process's Path

    Args:
        recurse: Also add all subdirectories of the given path
        persistent: Use 'userpath' package to add to the Shell's or Registry PATH
        preferential: Prepends the path for less priority on system binaries

    Returns:
        The Path argument itself
    """
    original = path = BrokenPath.get(path)

    if (path.is_file()):
        path = path.parent
        recurse = False

    # Can't recurse on non existing directories
    if (not path.exists()) and recurse:
        log.warning(f"Not adding to PATH as directory doesn't exist ({path})", echo=echo)
        return path

    log.debug(f"Adding to Path (Recursively: {recurse}, Persistent: {persistent}): ({path})", echo=echo)

    for other in list(path.rglob("*") if recurse else []) + [path]:

        # Skip conditions
        if other.is_file():
            continue
        if BrokenPath.on_path(other):
            continue

        # Actual logic
        if persistent:
            import userpath
            userpath.append(str(other))
        else:
            if prepend:
                log.debug(f"• Prepending: ({other})", echo=echo)
                Environment.set("PATH", str(other) + os.pathsep + Environment.get("PATH"))
                sys.path.insert(0, str(other))
            else:
                log.debug(f"• Appending: ({other})", echo=echo)
                Environment.set("PATH", Environment.get("PATH") + os.pathsep + str(other))
                sys.path.append(str(other))

    return original

directories

directories(path: Union[Path, Iterable]) -> Iterable[Path]
Source code in Broken/Core/BrokenPath.py
536
537
538
539
540
541
542
@staticmethod
def directories(path: Union[Path, Iterable]) -> Iterable[Path]:
    if isinstance(path, Path):
        path = Path(path).glob("*")
    for item in map(Path, path):
        if item.is_dir():
            yield item

files

files(path: Union[Path, Iterable]) -> Iterable[Path]
Source code in Broken/Core/BrokenPath.py
544
545
546
547
548
549
550
@staticmethod
def files(path: Union[Path, Iterable]) -> Iterable[Path]:
    if isinstance(path, Path):
        path = Path(path).glob("*")
    for item in map(Path, path):
        if item.is_file():
            yield item

delete_old_files

delete_old_files(path: Path, maximum: int = 20) -> None
Source code in Broken/Core/BrokenPath.py
552
553
554
555
556
557
558
559
560
@staticmethod
def delete_old_files(path: Path, maximum: int=20) -> None:
    files = list(os.scandir(path))

    if (overflow := (len(files) - maximum)) > 0:
        files = sorted(files, key=os.path.getmtime)

        for file in itertools.islice(files, overflow):
            os.unlink(file.path)

explore

explore(path: Path)

Opens a path in the file explorer

Source code in Broken/Core/BrokenPath.py
564
565
566
567
568
569
570
571
572
573
574
def explore(path: Path):
    """Opens a path in the file explorer"""
    path = Path(path)
    if path.is_file():
        path = path.parent
    if BrokenPlatform.OnWindows:
        os.startfile(str(path))
    elif BrokenPlatform.OnLinux:
        shell("xdg-open", path, Popen=True)
    elif BrokenPlatform.OnMacOS:
        shell("open", path, Popen=True)

Windows

Source code in Broken/Core/BrokenPath.py
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
class Windows:
    class Magic:
        """Values got from https://learn.microsoft.com/en-us/previous-versions/windows/embedded/aa453707(v=msdn.10)"""
        Documents: int = 0x05
        Music:     int = 0x0D
        Video:     int = 0x0E
        Desktop:   int = 0x10
        Roaming:   int = 0x1A
        Local:     int = 0x1C
        Pictures:  int = 0x27
        Home:      int = 0x28

    class Type(Enum):
        Current = 0
        Default = 1

    @staticmethod
    def get(csidl: int, *, type: Type=Type.Current) -> Path:
        if (os.name != "nt"):
            raise RuntimeError("BrokenPath.Windows only makes sense on Windows")
        buffer = ctypes.create_unicode_buffer(ctypes.wintypes.MAX_PATH)
        ctypes.windll.shell32.SHGetFolderPathW(None, csidl, None, type.value, buffer)
        return Path(buffer.value)

    @functools.lru_cache
    def Documents(*, type: Type=Type.Current) -> Path:
        return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Documents, type=type)

    @functools.lru_cache
    def Music(*, type: Type=Type.Current) -> Path:
        return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Music, type=type)

    @functools.lru_cache
    def Video(*, type: Type=Type.Current) -> Path:
        return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Video, type=type)

    @functools.lru_cache
    def Desktop(*, type: Type=Type.Current) -> Path:
        return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Desktop, type=type)

    @functools.lru_cache
    def Roaming(*, type: Type=Type.Current) -> Path:
        return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Roaming, type=type)

    @functools.lru_cache
    def Local(*, type: Type=Type.Current) -> Path:
        return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Local, type=type)

    @functools.lru_cache
    def Pictures(*, type: Type=Type.Current) -> Path:
        return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Pictures, type=type)
Magic

Values got from https://learn.microsoft.com/en-us/previous-versions/windows/embedded/aa453707(v=msdn.10)

Source code in Broken/Core/BrokenPath.py
577
578
579
580
581
582
583
584
585
586
class Magic:
    """Values got from https://learn.microsoft.com/en-us/previous-versions/windows/embedded/aa453707(v=msdn.10)"""
    Documents: int = 0x05
    Music:     int = 0x0D
    Video:     int = 0x0E
    Desktop:   int = 0x10
    Roaming:   int = 0x1A
    Local:     int = 0x1C
    Pictures:  int = 0x27
    Home:      int = 0x28
Documents
Documents: int = 5
Music
Music: int = 13
Video
Video: int = 14
Desktop
Desktop: int = 16
Roaming
Roaming: int = 26
Local
Local: int = 28
Pictures
Pictures: int = 39
Home
Home: int = 40
Type

Bases: Enum

Source code in Broken/Core/BrokenPath.py
588
589
590
class Type(Enum):
    Current = 0
    Default = 1
Current
Current = 0
Default
Default = 1
get
get(csidl: int, *, type: Type = Type.Current) -> Path
Source code in Broken/Core/BrokenPath.py
592
593
594
595
596
597
598
@staticmethod
def get(csidl: int, *, type: Type=Type.Current) -> Path:
    if (os.name != "nt"):
        raise RuntimeError("BrokenPath.Windows only makes sense on Windows")
    buffer = ctypes.create_unicode_buffer(ctypes.wintypes.MAX_PATH)
    ctypes.windll.shell32.SHGetFolderPathW(None, csidl, None, type.value, buffer)
    return Path(buffer.value)
Documents
Documents(*, type: Type = Type.Current) -> Path
Source code in Broken/Core/BrokenPath.py
600
601
602
@functools.lru_cache
def Documents(*, type: Type=Type.Current) -> Path:
    return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Documents, type=type)
Music
Music(*, type: Type = Type.Current) -> Path
Source code in Broken/Core/BrokenPath.py
604
605
606
@functools.lru_cache
def Music(*, type: Type=Type.Current) -> Path:
    return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Music, type=type)
Video
Video(*, type: Type = Type.Current) -> Path
Source code in Broken/Core/BrokenPath.py
608
609
610
@functools.lru_cache
def Video(*, type: Type=Type.Current) -> Path:
    return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Video, type=type)
Desktop
Desktop(*, type: Type = Type.Current) -> Path
Source code in Broken/Core/BrokenPath.py
612
613
614
@functools.lru_cache
def Desktop(*, type: Type=Type.Current) -> Path:
    return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Desktop, type=type)
Roaming
Roaming(*, type: Type = Type.Current) -> Path
Source code in Broken/Core/BrokenPath.py
616
617
618
@functools.lru_cache
def Roaming(*, type: Type=Type.Current) -> Path:
    return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Roaming, type=type)
Local
Local(*, type: Type = Type.Current) -> Path
Source code in Broken/Core/BrokenPath.py
620
621
622
@functools.lru_cache
def Local(*, type: Type=Type.Current) -> Path:
    return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Local, type=type)
Pictures
Pictures(*, type: Type = Type.Current) -> Path
Source code in Broken/Core/BrokenPath.py
624
625
626
@functools.lru_cache
def Pictures(*, type: Type=Type.Current) -> Path:
    return BrokenPath.Windows.get(BrokenPath.Windows.Magic.Pictures, type=type)