Source code for k1lib.cli.output

# AUTOGENERATED FILE! PLEASE DON'T EDIT
"""
For operations that feel like the termination of operations
"""
from collections import defaultdict
from typing import Iterator, Any
from k1lib.cli.init import BaseCli, Table
import numbers, numpy as np, k1lib, tempfile, os, sys, time, math
from k1lib import cli; from k1lib.cli.typehint import *
import matplotlib.pyplot as plt
try: import torch; hasTorch = True
except: hasTorch = False
__all__ = ["stdout", "tee", "file", "pretty", "display", "headOut",
           "intercept", "plotImgs"]
settings = k1lib.settings.cli
[docs]class stdout(BaseCli):
[docs] def __init__(self): """Prints out all lines. If not iterable, then print out the input raw. Example:: # prints out "0\\n1\\n2" range(3) | stdout() # same as above, but (maybe?) more familiar range(3) > stdout() This is rarely used alone. It's more common to use :meth:`headOut` for list of items, and :meth:`display` for tables.""" super().__init__()
def _typehint(self, inp): return None
[docs] def __ror__(self, it:Iterator[str]): try: it = iter(it) for line in it: print(line) except TypeError: print(it)
_defaultTeeF = lambda s: f"{s}\n"
[docs]class tee(BaseCli):
[docs] def __init__(self, f=_defaultTeeF, s=None, every=1): """Like the Linux ``tee`` command, this prints the elements to another specified stream, while yielding the elements. Example:: # prints "0\\n1\\n2\\n3\\n4\\n" and returns [0, 1, 4, 9, 16] range(5) | tee() | apply(op() ** 2) | deref() See also: :class:`~k1lib.cli.modifier.consume` :param f: element transform function. Defaults to just adding a new line at the end :param s: stream to write to. Defaults to :attr:`sys.stdout` :param every: only prints out 1 line in ``every`` lines, to limit print rate""" self.s = s or sys.stdout; self.f = f; self.every = every
[docs] def __ror__(self, it): s = self.s; f = self.f; every = self.every for i, e in enumerate(it): if i % every == 0: print(f(e), end="", file=s) yield e
[docs] def cr(self): """Tee, but replaces the previous line. "cr" stands for carriage return. Example:: # prints "4" and returns [0, 1, 4, 9, 16]. Does print all the numbers in the middle, but is overriden range(5) | tee().cr() | apply(op() ** 2) | deref()""" f = (lambda x: x) if self.f == _defaultTeeF else self.f self.f = lambda s: f"\r{f(s)}"; return self
[docs] def crt(self): """Like :meth:`tee.cr`, but includes an elapsed time text at the end. Example:: range(5) | tee().cr() | apply(op() ** 2) | deref()""" beginTime = time.time() f = (lambda x: x) if self.f == _defaultTeeF else self.f self.f = lambda s: f"\r{f(s)}, {int(time.time() - beginTime)}s elapsed"; return self
try: import PIL; hasPIL = True except: hasPIL = False
[docs]class file(BaseCli):
[docs] def __init__(self, fileName:str=None, flush:bool=False): """Opens a new file for writing. This will iterate through the iterator fed to it and put each element on a separate line. Example:: # writes "0\\n1\\n2\\n" to file range(3) | file("test/f.txt") # same as above, but (maybe?) more familiar range(3) > file("text/f.txt") # returns ['0', '1', '2'] cat("folder/f.txt") | deref() If the input is a string, then it will just put the string into the file and does not iterate through the string:: # writes "some text\\n123" to file, default iterator mode like above ["some text", "123"] | file("test/f.txt") # same as above, but this is a special case when it detects you're piping in a string "some text\\n123" | file("test/f.txt") If the input is a :class:`bytes` object or an iterator of :class:`bytes`, then it will open the file in binary mode and dumps the bytes in:: # writes bytes to file b'5643' | file("test/a.bin") [b'56', b'43'] >> file("test/a.bin") # returns ['56435643'] cat("test/a.bin") | deref() If the input is a :class:`PIL.Image.Image` object, then it will just save the image in the file:: # creates an random image and saves it to a file torch.randn(100, 200) | toImg() | file("a.png") Reminder that the image pixel range is expected to be from 0 to 255. You can create temporary files on the fly by not specifying a file name:: # creates temporary file url = range(3) > file() # returns ['0', '1', '2'] cat(url) | deref() This can be especially useful when integrating with shell scripts that wants to read in a file:: seq1 = "CCAAACCCCCCCTCCCCCGCTTC" seq2 = "CCAAACCCCCCCCTCCCCCCGCTTC" # use "needle" program to locally align 2 sequences None | cmd(f"needle {seq1 > file()} {seq2 > file()} -filter") You can also append to file with the ">>" operator:: url = range(3) > file() # appended to file range(10, 13) >> file(url) # returns ['0', '1', '2', '10', '11', '12'] cat(url) | deref() :param fileName: if not specified, create new temporary file and returns the url when pipes into it :param flush: whether to flush to file immediately after every iteration""" super().__init__(); self.fileName = fileName; self.flush = flush self.append = False # whether to append to file rather than erasing it
[docs] def __ror__(self, it:Iterator[str]) -> None: super().__ror__(it); fileName = self.fileName; flushF = (lambda f: f.flush()) if self.flush else (lambda _: 0) if fileName is None: f = tempfile.NamedTemporaryFile() fileName = f.name; f.close() fileName = os.path.expanduser(fileName); firstLine = None if hasPIL and isinstance(it, PIL.Image.Image): it.save(fileName); return fileName if isinstance(it, str): it = [it]; text = True elif isinstance(it, bytes): text = False else: it = iter(it); sentinel = object(); firstLine = next(it, sentinel) if firstLine is sentinel: # no elements at all with open(fileName, "w") as f: f.write("") return fileName text = not isinstance(firstLine, bytes) if text: with open(fileName, "a" if self.append else "w") as f: if firstLine is not None: f.write(f"{firstLine}\n") for line in it: f.write(f"{line}\n"); flushF(f) else: with open(fileName, "ab" if self.append else "wb") as f: if firstLine is not None: f.write(firstLine) for e in it: f.write(e); flushF(f) else: f.write(it) return fileName
def __rrshift__(self, it): self.append = True # why do this? because `a | b >> c` will be interpreted as `a | (b >> c)` if isinstance(it, BaseCli): return cli.serial(it, self) else: return self.__ror__(it) @property def name(self): """File name of this :class:`file`""" return self.fileName
[docs]class pretty(BaseCli):
[docs] def __init__(self, delim=""): """Pretty prints a table. Not really used directly. Example:: # These 2 statements are pretty much the same [range(10), range(10)] | head(5) | pretty() > stdout() [range(10), range(10)] | display()""" self.delim = delim
def _typehint(self, inp): return tIter(str)
[docs] def __ror__(self, it:Table[Any]) -> Iterator[str]: table = []; widths = defaultdict(lambda: 0) for row in it: _row = [] for i, e in enumerate(row): e = f"{e}"; _row.append(e) widths[i] = max(len(e), widths[i]) table.append(_row) for row in table: yield self.delim.join(e.rstrip(" ").ljust(w+3) for w, e in zip(widths.values(), row))
[docs]def display(lines:int=10): """Convenience method for displaying a table. Pretty much equivalent to ``head() | pretty() | stdout()``. See also: :class:`pretty`""" f = pretty() | stdout() if lines is None: return f else: return cli.head(lines) | f
[docs]def headOut(lines:int=10): """Convenience method for head() | stdout()""" if lines is None: return stdout() else: return cli.head(lines) | stdout()
def tab(text, pad=" "): return "\n".join([pad + line for line in text.split("\n")])
[docs]class intercept(BaseCli):
[docs] def __init__(self, raiseError:bool=True): """Intercept flow at a particular point, analyze the object piped in, and raises error to stop flow. Example:: 3 | intercept() :param raiseError: whether to raise error when executed or not.""" self.raiseError = raiseError
[docs] def __ror__(self, s): print(type(s)) if isinstance(s, (numbers.Number, str, bool)): print(tab(f"{s}")) elif isinstance(s, (tuple, list)): print(tab(f"Length: {len(s)}")) for e in s: print(tab(f"- {type(e)}")) elif isinstance(s, settings.arrayTypes): print(tab(f"Shape: {s.shape}")) if s.numel() < 1000: print(tab(f"{s}")) if self.raiseError: raise RuntimeError("intercepted") return s
[docs]class plotImgs(BaseCli):
[docs] def __init__(self, col=5, aspect=1, fac=2, axis=False, table=False, im=False): """Plots a bunch of images at the same time in a table. Example:: # plots all images [torch.randn(10, 20), torch.randn(20, 10)] | plotImgs() # plots all images with titles [[torch.randn(10, 20), "img 1"], [torch.randn(20, 10), "img 2"]] | plotImgs() If you have multiple rows with different number of images, you can plot that with this too, just set ``table=True`` like this:: [[torch.randn(10, 20), torch.randn(20, 10)], [torch.randn(10, 20)]] | plotImgs(table=True) :param col: number of columns in the table. If explicitly None, it will turn into the number of images fed. Not available if ``table=True`` :param aspect: aspect ratio of each images, or ratio between width and height :param fac: figsize factor. The higher, the more resolution :param axis: whether to display the axis or not :param table: whether to plot using table mode :param im: if True, returns an image""" self.col = col; self.fac = fac; self.axis = axis; self.aspect = aspect; self.table = table; self.im = im
[docs] def __ror__(self, imgs): imgs = imgs | cli.deref(); col = self.col; fac = self.fac; aspect = self.aspect**0.5 if not self.table: # main code if len(imgs) == 0: return if col is None or col > len(imgs): col = len(imgs) n = math.ceil(len(imgs)/col) fig, axes = plt.subplots(n, col, figsize=(col*fac*aspect, n*fac/aspect)); axes = axes.flatten() if isinstance(axes, np.ndarray) else [axes] for ax, im in zip(axes, imgs): plt.sca(ax) if isinstance(im, list): plt.imshow(im[0]); plt.title(im[1]) else: plt.imshow(im) if not self.axis: ax.axis("off") for i in range(len(imgs), len(axes)): axes[i].remove() # removing leftover axes else: if col != 5: raise Exception("Currently in table mode, can't set `col` parameter") # change this value to match col's default value h = imgs | cli.shape(0); w = imgs | cli.shape(0).all() | cli.toMax() fig, axes = plt.subplots(h, w, figsize=(w*fac*aspect, h*fac/aspect)); for rAx, rIm in zip(axes, imgs): for cAx, cIm in zip(rAx, rIm): plt.sca(cAx) if isinstance(cIm, list): plt.imshow(cIm[0]); plt.title(cIm[1]) else: plt.imshow(cIm) if not self.axis: cAx.axis("off") for i in range(len(rIm), len(rAx)): rAx[i].remove() # removing leftover axes plt.tight_layout() if self.im: return plt.gcf() | cli.toImg()