Skip to content

Instantly share code, notes, and snippets.

View CodeByAidan's full-sized avatar
💻
i love HPC/DL

Aidan CodeByAidan

💻
i love HPC/DL
View GitHub Profile
@CodeByAidan
CodeByAidan / _pretty_repr.py
Last active August 2, 2024 18:12
Pretty Print a repr() with types in Python, to get those type annotations!
def pretty_repr_types[
K, V: dict | list | str | int # type: ignore - dict and list expect type arguments (pyright)
](obj: dict[K, V] | list[V] | str | int, indent: int = 0) -> str:
"""Recursively prints the types of keys and values in a dictionary."""
spacing: str = " " * indent
if isinstance(obj, dict) and not isinstance(obj, str):
result = "{\n"
for key, value in obj.items():
key_type: str = repr(type(key))
@CodeByAidan
CodeByAidan / custom_abc_meta.py
Created July 31, 2024 16:07
Custom implementation of ABCMeta with caching for isinstance checks
import collections.abc
from types import SimpleNamespace
class CustomABCMeta(type):
_abc_cache = set()
_abc_negative_cache = set()
_abc_negative_cache_version = 0
_abc_invalidation_counter = 0
@CodeByAidan
CodeByAidan / Cluster-Polars-Column.py
Created July 30, 2024 20:44
Cluster a column based on text-similarity in a Polars DataFrame.
from collections import defaultdict
from typing import Any, Dict, List, Self, Tuple
import polars as pl
from fuzzywuzzy import fuzz, process
class NameClusterer:
def __init__(self, df: pl.DataFrame, column: str, threshold: int) -> None:
self.df: pl.DataFrame = df
@CodeByAidan
CodeByAidan / functools_wrap_decorator_type.py
Created July 30, 2024 13:46
functools.wraps return type decorator template
from typing import Callable, Generic, ParamSpec, Protocol, TypeVar, overload
_PD = ParamSpec('_PD')
_PF = ParamSpec('_PF')
_RD = TypeVar('_RD')
_RF = TypeVar('_RF')
# from functools import _Wrapped as _W
class _W(Generic[_PF, _RF, _PD, _RD]):
...
@CodeByAidan
CodeByAidan / better_typing.py
Last active August 5, 2024 13:57
will be updating this a lot whenever I want to use typing but with typing that's not present in typing library. mypy + pylance ready! Python 3.12+
import sys
from typing import TypeVar
__all__: list[str] = [
"Any",
"cast",
"reveal_type",
]
@CodeByAidan
CodeByAidan / gradient_text_rich.py
Created July 24, 2024 19:23
create a colored gradient text using Rich in Python
def gradient_text(text: str, start_color: str, end_color: str) -> Text:
gradient = Text()
start: ColorTriplet | None = Color.parse(start_color).triplet
end: ColorTriplet | None = Color.parse(end_color).triplet
for i, char in enumerate(text):
ratio: float = i / (len(text) - 1)
blended_color = tuple(
int(start[j] + (end[j] - start[j]) * ratio) for j in range(3)
)
color_code: str = f"#{''.join(f'{value:02x}' for value in blended_color)}"
@CodeByAidan
CodeByAidan / get-path-clipboard-quoted.ps1
Created July 17, 2024 12:36
Copy the current path into your clipboard in a one-liner with PowerShell.
Set-Clipboard -Value ("`"" + (Get-Location).Path + "`"")
# "C:\Windows"
@CodeByAidan
CodeByAidan / Microsoft.PowerShell_profile.ps1
Last active July 29, 2024 12:41
little sexy script I made to stop having fnm (Fast Node Manager - https://github.com/Schniz/fnm) from not being detected by the Path on PowerShell - just reinstalls it! You can do this same kinda thing with anything! This script is part of my $PROFILE
function Test-Fnm {
if (-not (Get-Command fnm -ErrorAction SilentlyContinue)) {
$flagFile = "$env:TEMP\fnm_installing.flag"
if (-not (Test-Path $flagFile)) {
New-Item -Path $flagFile -ItemType File | Out-Null
try {
Start-Process powershell -ArgumentList "-NoProfile -Command `"winget install Schniz.fnm; Remove-Item -Path $flagFile`"" -WindowStyle Hidden
$maxRetries = 12 # wait up to 60 seconds (12 * 5)
$retry = 0
while (-not (Get-Command fnm -ErrorAction SilentlyContinue) -and $retry -lt $maxRetries) {
@CodeByAidan
CodeByAidan / log_variables_in_function.py
Created July 15, 2024 19:13
Decorator that prints the variables in a function (being wrapped) values as they change. Pretty nifty.
import sys
from functools import wraps
from typing import Any, Callable, Optional, TypeVar
F = TypeVar("F", bound=Callable[..., Any])
def log_variables(func: F) -> F:
@wraps(func)
def wrapper(*args: Any, **kwargs: Any) -> Any:
def tracer(frame, event, arg) -> Optional[Callable]:
@CodeByAidan
CodeByAidan / log_variables_in_recursion.py
Last active July 15, 2024 18:02
One of the most painful code I've wrote, a decorator to log variables in a function every time they set/get. Notice the recursion part 😔
from functools import wraps
from typing import Any, Callable, TypeVar
F = TypeVar("F", bound=Callable[..., Any])
def log_variables(func: F) -> F:
@wraps(func)
def wrapper(*args, **kwargs) -> Any:
if not hasattr(wrapper, "initialized"):