PK!4 Everyone is permitted to copy and distribute verbatim or modified copies of this license document, and changing it is allowed as long as the name is changed. DO WHAT THE FUCK YOU WANT TO BUT IT'S NOT MY FAULT PUBLIC LICENSE TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION 0. You just DO WHAT THE FUCK YOU WANT TO. 1. Do not hold the author(s), creator(s), developer(s) or distributor(s) liable for anything that happens or goes wrong with your use of the work. PK!m00tedent/__init__.pyfrom .index import tedent __all__ = ["tedent"] PK!wtedent/fns/__init__.pyfrom .all_ import all_ from .discardFirst import discardFirst from .discardLastWhile import discardLastWhile from .forEach import forEach from .iif import iif from .invokeAttr import invokeAttr from .isEmpty import isEmpty from .joinWith import joinWith from .passThrough import passThrough from .raise_ import raise_ __all__ = [ "all_", "discardFirst", "discardLastWhile", "forEach", "iif", "invokeAttr", "isEmpty", "joinWith", "passThrough", "raise_", ] PK!͒tedent/fns/all_.py# ------- # # Imports # # ------- # from .internal.makeGenericCallFn import makeGenericCallFn from .internal.getTypedResult import getTypedResult from .decorators.argIsCallable import argIsCallable # ---- # # Main # # ---- # @argIsCallable def all_(predicate): fnName = all.__name__ callPredicate = makeGenericCallFn(predicate, 3, fnName) def all_inner(collection): typedAll = getTypedResult(collection, typeToAll, fnName) return typedAll(callPredicate, collection) return all_inner # ------- # # Helpers # # ------- # def all_list(callPredicate, aList): for idx, el in enumerate(aList): if not callPredicate(el, idx, aList): return False return True typeToAll = {list: all_list} PK!!tedent/fns/decorators/__init__.pyPK![`)gEE&tedent/fns/decorators/argIsCallable.pyfrom inspect import signature import wrapt @wrapt.decorator def argIsCallable(fn, _instance, args, kwargs): if not callable(args[0]): argName = list(signature(fn).parameters)[0] fnName = fn.__name__ raise ValueError(f"{fnName} requires {argName} to be callable") return fn(*args, **kwargs) PK!waII#tedent/fns/decorators/argIsClass.pyfrom inspect import isclass, signature import wrapt @wrapt.decorator def argIsClass(fn, _instance, args, kwargs): if not isclass(args[0]): argName = list(signature(fn).parameters)[0] fnName = fn.__name__ raise ValueError(f"{fnName} requires {argName} to be a class") return fn(*args, **kwargs) PK!(tedent/fns/decorators/argIsListOfType.pyfrom ordered_set import OrderedSet import wrapt from ..internal.discardWhen import discardWhen from ..internal.get import get from ..internal.getArgName import getArgName from ..internal.isLaden import isLaden from ..internal.isType import isType from ..internal.joinWith import joinWith from ..internal.map_ import map_ from ..internal.passThrough import passThrough from ..internal.raise_ import raise_ from ..internal.sort import sort from ..internal.toType import toType def argIsListOfType(aType): @wrapt.decorator def wrapper(fn, _instance, args, kwargs): typePassed = type(args[0]) fnName = fn.__name__ typeName = aType.__name__ if typePassed is not list: argName = getArgName(fn) raise_( ValueError, f"""\ {fnName} requires {argName} to have the type list type passed: {typePassed.__name__} """, ) invalidTypes = discardWhen(isType(aType))(args[0]) if isLaden(invalidTypes): argName = getArgName(fn) invalidTypeNames = passThrough( invalidTypes, [ map_(toType), OrderedSet, list, map_(get("__name__")), sort, joinWith(", "), ], ) raise_( ValueError, f"""\ {fnName} requires {argName} to be a list of {typeName} invalid types passed: {invalidTypeNames} """, ) return fn(*args, **kwargs) return wrapper PK!)ʋ"tedent/fns/decorators/argIsType.pyfrom inspect import signature from ..internal.raise_ import raise_ import wrapt def argIsType(aType): @wrapt.decorator def wrapper(fn, _instance, args, kwargs): typePassed = type(args[0]) if typePassed is not str: argName = list(signature(fn).parameters)[0] fnName = fn.__name__ typeName = aType.__name__ raise_( ValueError, f"""\ {fnName} requires {argName} to have the type {typeName} type passed: {typePassed.__name__} """, ) return fn(*args, **kwargs) return wrapper PK!ǥ&&tedent/fns/discardFirst.py# ------- # # Imports # # ------- # from .internal.getTypedResult import getTypedResult # ---- # # Main # # ---- # def discardFirst(n): fnName = discardFirst.__name__ def discardFirst_inner(collection): discardFn = getTypedResult(collection, typeToDiscardFirst, fnName) return discardFn(n, collection) return discardFirst_inner # ------- # # Helpers # # ------- # def discardFirst_viaSlice(n, sliceAble): return sliceAble[n:] typeToDiscardFirst = {list: discardFirst_viaSlice, str: discardFirst_viaSlice} PK!ktedent/fns/discardLastWhile.py# ------- # # Imports # # ------- # from .decorators.argIsCallable import argIsCallable from .internal.getTypedResult import getTypedResult from .internal.makeGenericCallFn import makeGenericCallFn # ---- # # Main # # ---- # @argIsCallable def discardLastWhile(predicate): fnName = discardLastWhile.__name__ shouldDiscard = makeGenericCallFn(predicate, 3, fnName) def discardLastWhile_inner(collection): discardLastWhileFn = getTypedResult( collection, typeToDiscardLastWhile, fnName ) return discardLastWhileFn(shouldDiscard, collection) return discardLastWhile_inner # ------- # # Helpers # # ------- # def discardLastWhile_viaSlice(shouldDiscard, sliceAble): i = len(sliceAble) for el in reversed(sliceAble): if not shouldDiscard(el, i, sliceAble): break i -= 1 return sliceAble[:i] typeToDiscardLastWhile = { list: discardLastWhile_viaSlice, str: discardLastWhile_viaSlice, } PK!`c??tedent/fns/forEach.py# ------- # # Imports # # ------- # from types import SimpleNamespace from .internal.makeGenericCallFn import makeGenericCallFn from .internal.getTypedResult import getTypedResult from .decorators.argIsCallable import argIsCallable # ---- # # Main # # ---- # @argIsCallable def forEach(fn): fnName = forEach.__name__ callFn = makeGenericCallFn(fn, 3, fnName) def forEach_inner(collection): typedForEach = getTypedResult(collection, typeToForEach, fnName) return typedForEach(callFn, collection) return forEach_inner # ------- # # Helpers # # ------- # def forEach_dict(callFn, aDict): for key, val in aDict.items(): callFn(val, key, aDict) return aDict def forEach_list(callFn, aList): for idx, el in enumerate(aList): callFn(el, idx, aList) return aList def forEach_simpleNamespace(callFn, aSimpleNamespace): forEach_dict(callFn, aSimpleNamespace.__dict__) return aSimpleNamespace typeToForEach = { dict: forEach_dict, list: forEach_list, SimpleNamespace: forEach_simpleNamespace, } PK!R++tedent/fns/iif.pyfrom .internal.iif import iif # noqa f401 PK!tedent/fns/internal/__init__.pyPK!F"tedent/fns/internal/discardWhen.py# ------- # # Imports # # ------- # from .getTypedResult import getTypedResult from .makeGenericCallFn import makeGenericCallFn from ..decorators.argIsCallable import argIsCallable # ---- # # Main # # ---- # @argIsCallable def discardWhen(predicate): fnName = discardWhen.__name__ shouldDiscard = makeGenericCallFn(predicate, 3, fnName) def discardWhen_inner(collection): typedDiscardWhen = getTypedResult(collection, typeToDiscardWhen, fnName) return typedDiscardWhen(shouldDiscard, collection) return discardWhen_inner # ------- # # Helpers # # ------- # def discardWhen_list(shouldDiscard, aList): result = [] for idx, el in enumerate(aList): if not shouldDiscard(el, idx, aList): result.append(el) return result def discardWhen_dict(shouldDiscard, aDict): result = {} for key, val in aDict.items(): if shouldDiscard(val, key, aDict): result[key] = val return result typeToDiscardWhen = {list: discardWhen_list, dict: discardWhen_dict} PK!sstedent/fns/internal/get.pydef get(attrName): def get_inner(something): return getattr(something, attrName) return get_inner PK!)jj!tedent/fns/internal/getArgName.pyfrom inspect import signature def getArgName(fn, idx=0): return list(signature(fn).parameters)[idx] PK!X%tedent/fns/internal/getFnSignature.pyfrom inspect import signature from .raise_ import raise_ def getFnSignature(fn, callerName): try: return signature(fn) except Exception as e: raise_( ValueError, f"""\ '{callerName}' is unable to get the signature of the passed callable callable passed: {fn.__name__} one reason this could occur is the callable is written in c (e.g. the builtin 'str' callable). """, fromException=e, ) PK!k-tedent/fns/internal/getNumPositionalParams.py# ------- # # Imports # # ------- # from inspect import Parameter from math import inf from .getFnSignature import getFnSignature from .iif import iif # ---- # # Init # # ---- # _nonVarPositionalParamKinds = { Parameter.POSITIONAL_ONLY, Parameter.POSITIONAL_OR_KEYWORD, } # ---- # # Main # # ---- # # # Returns a tuple # numRequired: number of required positional params # numAllowed: number of allowed positional params # def getNumPositionalParams(fn, callerName): sig = getFnSignature(fn, callerName) numAllowed = iif(_hasVarPositionalParam(sig), inf, 0) numRequired = 0 for p in sig.parameters.values(): if p.kind in _nonVarPositionalParamKinds: numAllowed += 1 if p.default is Parameter.empty: numRequired += 1 return (numRequired, numAllowed) # ------- # # Helpers # # ------- # def _hasVarPositionalParam(sig): for p in sig.parameters.values(): if p.kind is Parameter.VAR_POSITIONAL: return True PK!w<%tedent/fns/internal/getTypedResult.py# # README # - I'm not sure what to call this. Its purpose is to centralize the type # validation, minimizing copy/paste. # # ------- # # Imports # # ------- # from .raise_ import raise_ from .get import get # ---- # # Init # # ---- # getName = get("__name__") # # we need a unique object here to ensure the 'typeToSomething' doesn't lead us # to a 'None' value # nothing = object() # ---- # # Main # # ---- # def getTypedResult(value, typeToSomething, fnName): valueType = type(value) result = typeToSomething.get(valueType, nothing) if _isSomething(result): return result supportedTypes = ", ".join(map(getName, typeToSomething.keys())) raise_( ValueError, f"""\ {fnName} doesn't support the type '{valueType.__name__}' supported types: {supportedTypes} """, ) # ------- # # Helpers # # ------- # def _isSomething(x): return x is not nothing PK!;||tedent/fns/internal/iif.pydef iif(condition, whenTruthy, whenFalsey): if condition: return whenTruthy else: return whenFalsey PK!ws{33tedent/fns/internal/isLaden.pydef isLaden(aList): return len(aList) is not 0 PK!Ȋ'tedent/fns/internal/isOnlyWhitespace.pyimport re onlyWhitespaceRe = re.compile(r"\s*$") def isOnlyWhitespace(aString): return onlyWhitespaceRe.match(aString) is not None PK!ftedent/fns/internal/isType.pyfrom inspect import isclass def isType(aType): if not isclass(aType): raise ValueError("isType requires argument 'aType' to pass isclass") def isType_inner(something): return type(something) is aType return isType_inner PK!v_R*++tedent/fns/internal/joinWith.py# ------- # # Imports # # ------- # from ordered_set import OrderedSet from .getTypedResult import getTypedResult # ---- # # Main # # ---- # def joinWith(separator): def joinWith_inner(collection): typedJoinWith = getTypedResult(collection, typeToJoinWith, "joinWith") return typedJoinWith(separator, collection) return joinWith_inner # ------- # # Helpers # # ------- # def joinWith_iterable(separator, aList): return separator.join(aList) typeToJoinWith = {list: joinWith_iterable, OrderedSet: joinWith_iterable} PK!K!tedent/fns/internal/makeCallFn.py# ------- # # Imports # # ------- # from math import inf from .returnFirstArgument import returnFirstArgument as identity from .getNumPositionalParams import getNumPositionalParams # ---- # # Main # # ---- # def makeCallFn(fn, callerName, *, modifyResult=identity): (_, allowed) = getNumPositionalParams(fn, callerName) if allowed is inf: return lambda *args, **kwargs: modifyResult(fn(*args, **kwargs)) else: return lambda *args, **kwargs: modifyResult( fn(*args[:allowed], **kwargs) ) PK!T-(tedent/fns/internal/makeGenericCallFn.py# ------- # # Imports # # ------- # from math import inf from .getNumPositionalParams import getNumPositionalParams from .raise_ import raise_ # ---- # # Main # # ---- # def makeGenericCallFn(fn, maxParams, callerName): required, allowed = getNumPositionalParams(fn, callerName) if allowed is inf: allowed = maxParams if required > maxParams: raise_( ValueError, f""" {callerName} can only take functions with up to {maxParams} positional params. The function '{fn.__name__}' requires {required} """, ) return lambda *args, **kwargs: fn(*args[:allowed], **kwargs) PK!`gtedent/fns/internal/map_.py# ------- # # Imports # # ------- # from .internal.makeGenericCallFn import makeGenericCallFn from .internal.getTypedResult import getTypedResult from .decorators.argIsCallable import argIsCallable # ---- # # Main # # ---- # @argIsCallable def map_(mapperFn): fnName = map_.__name__ callMapperFn = makeGenericCallFn(mapperFn, 3, fnName) def map_inner(collection): typedMap = getTypedResult(collection, typeToMap, fnName) return typedMap(callMapperFn, collection) return map_inner # ------- # # Helpers # # ------- # def map_list(callMapperFn, aList): result = [] for idx, el in enumerate(aList): result.append(callMapperFn(el, idx, aList)) return result typeToMap = {list: map_list} PK!yy"tedent/fns/internal/passThrough.pyfrom .reduce import reduce def passThrough(arg, fnList): return reduce(lambda result, fn: fn(result), arg)(fnList) PK!Dztedent/fns/internal/raise_.pyfrom textwrap import dedent from .isOnlyWhitespace import isOnlyWhitespace import os def raise_(errorClass, message, *, fromException=None): allLines = message.split(os.linesep) if isOnlyWhitespace(allLines[0]) and isOnlyWhitespace(allLines[-1]): message = dedent(message) err = errorClass(message) if fromException is None: raise err else: raise err from fromException PK!Ettedent/fns/internal/reduce.py# ------- # # Imports # # ------- # from .makeGenericCallFn import makeGenericCallFn from .getTypedResult import getTypedResult from ..decorators.argIsCallable import argIsCallable # ---- # # Main # # ---- # @argIsCallable def reduce(fn, initial): reducerFn = makeGenericCallFn(fn, 4, "reduce") def reduce_inner(collection): typedReduce = getTypedResult(collection, typeToReduce, "reduce") return typedReduce(reducerFn, initial, collection) return reduce_inner # ------- # # Helpers # # ------- # def reduce_list(reducerFn, initial, aList): result = initial for idx, el in enumerate(aList): result = reducerFn(result, el, idx, aList) return result typeToReduce = {list: reduce_list} PK!pjj*tedent/fns/internal/returnFirstArgument.pyfrom .iif import iif def returnFirstArgument(*args, **kwargs): return iif(len(args), args[0], None) PK!\xx&tedent/fns/internal/sanitizeAscDesc.pyfrom .raise_ import raise_ ascDescSet = {"asc", "desc"} def sanitizeAscDesc(ascOrDesc): sanitized = ascOrDesc.lower() if sanitized not in ascDescSet: raise_( ValueError, f""" ascOrDesc must be either 'asc' or 'desc' (case insensitive) value given: {ascOrDesc} """, ) return sanitized PK!0ootedent/fns/internal/sort.py# ------- # # Imports # # ------- # from .getTypedResult import getTypedResult # ---- # # Main # # ---- # def sort(collection): typedSort = getTypedResult(collection, typeToSort, "sort") return typedSort(collection) # ------- # # Helpers # # ------- # def sort_viaSorted(something): return sorted(something) typeToSort = {list: sort_viaSorted} PK!V;22tedent/fns/internal/toType.pydef toType(something): return type(something) PK!%tttedent/fns/invokeAttr.pydef invokeAttr(key): def invokeAttr_inner(obj): return getattr(obj, key)() return invokeAttr_inner PK!¢[tedent/fns/isEmpty.pyfrom types import SimpleNamespace # TODO: make 'isEmpty' generic like the other utils def isEmpty(lenAble): if isinstance(lenAble, SimpleNamespace): return len(lenAble.__dict__) is 0 else: return len(lenAble) is 0 PK!955tedent/fns/joinWith.pyfrom .internal.joinWith import joinWith # noqa f401 PK!F;;tedent/fns/passThrough.pyfrom .internal.passThrough import passThrough # noqa f401 PK!(11tedent/fns/raise_.pyfrom .internal.raise_ import raise_ # noqa f401 PK!ftedent/indentWith.py# ------- # # Imports # # ------- # from .fns import discardFirst, passThrough from .utils import getNumberOfLeadingSpaces # ---- # # Main # # ---- # def indentWith(anchor): def indentWith_inner(allLines): if anchor == 0: return allLines runningIndent = 0 for i, oldLine in enumerate(allLines): allLines[i] = adjustWhitespace(allLines[i], anchor, runningIndent) runningIndent = passThrough( oldLine, [getNumberOfLeadingSpaces, updateIndent(runningIndent)] ) return allLines def updateIndent(runningIndent): def updateIndent_inner(leadingSpaces): maybeNewIndent = leadingSpaces - anchor if maybeNewIndent == 0: return 0 elif maybeNewIndent > 0: return maybeNewIndent else: return runningIndent return updateIndent_inner return indentWith_inner # ------- # # Helpers # # ------- # def adjustWhitespace(line, anchor, runningIndent): numberOfLeadingSpaces = getNumberOfLeadingSpaces(line) lineWithoutLeadingSpace = discardFirst(numberOfLeadingSpaces)(line) currentIndent = numberOfLeadingSpaces - anchor newLeadingSpace = 0 if currentIndent > 0: newLeadingSpace = currentIndent elif currentIndent < 0: newLeadingSpace = numberOfLeadingSpaces + runningIndent return (" " * newLeadingSpace) + lineWithoutLeadingSpace PK!A_tedent/index.py# ------- # # Imports # # ------- # from .fns import all_, isEmpty, joinWith, passThrough, raise_ from .indentWith import indentWith import os from .utils import ( areOnlyWhitespace, getNumberOfLeadingSpaces, isOnlyWhitespace, removeFirstAndLast, trimLastLines, ) from .invalid import ( invalidFewerThan3Lines, invalidFirstOrLastLine, invalidSecondLine, ) # ---- # # Main # # ---- # def tedent(aString): validateInput(aString) if isEmpty(aString): return "" allLines = aString.split(os.linesep) if len(allLines) < 3: if all_(areOnlyWhitespace)(allLines): return "" else: raise ValueError(invalidFewerThan3Lines) firstLine = allLines[0] secondLine = allLines[1] lastLine = allLines[-1] if not all_(areOnlyWhitespace)([firstLine, lastLine]): raise ValueError(invalidFirstOrLastLine) elif isOnlyWhitespace(secondLine): raise ValueError(invalidSecondLine) # # we got valid input fam # anchor = getNumberOfLeadingSpaces(secondLine) # allLines is being mutated for performance return passThrough( allLines, [removeFirstAndLast, indentWith(anchor), trimLastLines, joinWith("\n")], ) # ------- # # Helpers # # ------- # def validateInput(input): if not isinstance(input, str): raise_( TypeError, f""" tedent requires a string type given: {type(input).__name__} """, ) PK!{{tedent/invalid.pyfrom textwrap import dedent expectedUsage = """ Expected usage: tedent(f\"\"\" Some string {here} \"\"\") """ invalidFewerThan3Lines = dedent( f""" tedent expects a string with three or more lines. When fewer are passed then they must contain only whitespace for this error not to be thrown. {expectedUsage} """ ) invalidFirstOrLastLine = dedent( f""" The first and last lines are only allowed to contain whitespace {expectedUsage} """ ) invalidSecondLine = dedent( f""" The second line must have a non-whitespace character {expectedUsage} """ ) PK!55Ctedent/utils.py# ------- # # Imports # # ------- # from .fns import discardLastWhile, passThrough import re # ---- # # Init # # ---- # onlyWhitespaceRe = re.compile(r"\s*$") # ---- # # Main # # ---- # def areOnlyWhitespace(aString): return isOnlyWhitespace(aString) def getNumberOfLeadingSpaces(line): i = 0 for c in line: if c != " ": break i += 1 return i def isOnlyWhitespace(aString): return onlyWhitespaceRe.match(aString) is not None def removeFirstAndLast(aList): aList.pop(0) aList.pop() return aList # # - removes any tailing lines which only contain whitespace # - last line with a non-whitespace character has tailing whitespace removed # def trimLastLines(lines): return passThrough( lines, [discardLastWhile(isOnlyWhitespace), trimTheLastLine] ) # ------- # # Helpers # # ------- # def trimTheLastLine(allLines): allLines[-1] = allLines[-1].rstrip() return allLines PK!HڽTUtedent-0.1.0.dist-info/WHEEL A н#Z;/"d&F[xzw@Zpy3Fv]\fi4WZ^EgM_-]#0(q7PK!Hgvtedent-0.1.0.dist-info/METADATAWo6_VHDv(`l&CN(iHJRua}Hvf؀I,ǻwo"UZQ2><%m] MR7 CSme%?E%i#VSz߸dRlS9zt{+U.Yr)-U:b*k)5akZ&ct'㧇/*Z*ZYYQJЫHipWӭ-{'==d GmM8A1.dcv.'V5yK_f]O¬u('WR6ԙRV^uS (%-|wTs)hZ(I7MT+aK̒#w;n$ IS̎/2*LMN+ 8TR8I7zj&oHTYh6lIi,j<9etzrQ.O_dgC:]f'tq^\9]=9NLٕ>SzF 뿕s4kʥ@a#_J9DY肖n~ӰbGIG`K®KDJr[+ \4t@22/[6ƱpS;iި?cG43^:hRzj^9e8|HQtWfc6ΐhB8_Wh4|s]Ӳy*aYuWƱ]Ʈ&I;^enFbSgZiB- 䨽lgr[t)=gC$S( DRn Z(TBXB02rrFk P9ϛ.Zx,<7ִ|uHs :w %L>a;by\SZ6;y_M6Ÿ jе,xsD _م?wA}+i/u۽AM.3 -=& D~ä <;\%dvo%`+cѠ6p|'ѽ'?htEb/I\NٯJ ~-8wXn'Sq8UArJrSc&3`?frI$D]{LAn eSGjPZKI⽣ uxIĵrr77ʂ!fXbvDK<^ \۰ Vz)°CZt8y/(%Xkn[qciُ'Y4`ӕ}V#|.4k֒]7U.4UYt0] rݽ'F'"y "%ScM#mՍCRF_S]S! bPDi-h_Z! 홐 H?6ZyBtAaWmHF: H).ꪣuۈ\nNpYbsr?Gi ڰBmOjH'5LO6>Q}Ĺn|7D{X[ɥvfDm2J\bޢ@%L`jli6=;=elmy)U}Fc*aѕ /o'VcO$PK!H%h4Ftedent-0.1.0.dist-info/RECORDɲHE-(` f`b Čɶ*^z'<^*O~ #er~KK>a{8i~h_$PU偌elINR'iAMBYmvrs x*'CTt6ZHX "jO jOJ\OqiK+N6~.ֵx@&DĞ't_HPhpVZ0yH̲&/Z{t2FɁoA=EUc-*)+>J b~ =C!#^}CS$ H ]Љnz=H^" kBp(>`7 彊 K/A݀P ~C'Wx(b L(rj IC35@伏.vwo9rzZ ynloDs3^f>%Xݐ UI}< ߊ(=WKs |T/D,ee.n3UMw6Q8,=eK@(BH! ;`M€ín&?xV'30Yl?8͐tMP_e'tI#%1#UQ_e,\dqMDŽk`Q \^|۽IKtͲ ќYy̞׹ װҫ |[A(J~GdTE$n]:ӣ ?]xhk'|* lKgM0݇XND pO,U6ͶW1rIA$J5z ,1fDx=)"P/q^𔤜#;bc3jCɗ`)Z<8A&l)ԄX_u2>{GMLsA#):jv nd2\R~nޟ_M9u Q|2A[XhЧzS# IѾ^ YbOaq),#u"OQnKnJƿ.d'%O%?n̢+&[# aߨyuHRLozN"T8YCtYFq3ƯResI#y9 8&8˙n2Xp#$'XNˣ 6RޘejUX? 7 [ڽálcc:֝eG$0q>_ĺ8("D̗vȮGmFlhpr 4ȧ@Xn]uuA'p9hU'^TζO97+3T+_tI<~M@ƃP~ؒq>}BhU5es"go%54 (|dV6z+2¾=C`N;aHHh/j'")]o1a*ֈsz:,2`+m=7t>URt[-UIe]t1a68Hʏ5F~D79D4Nj^n'F" $fZM~(vN4ꇼ X%-⸪r|#Bޜ: ,y^a:|aD+Ͷ Hw$r7C`cw PíDoe: 1˙[$Éۖe<ӯīyZNUEƜ&ި3XɓTV CS :DJ 
Q\,`_5$96 4y_ȬQCGsiȨ,se5hi|f~u*@ ?o&rQ<3/\?7 ӽ^@,/l)!6+68񮌭 Z-ʮ tedent/fns/iif.pyPK! tedent/fns/internal/__init__.pyPK!F" tedent/fns/internal/discardWhen.pyPK!ss1%tedent/fns/internal/get.pyPK!)jj!%tedent/fns/internal/getArgName.pyPK!X%&tedent/fns/internal/getFnSignature.pyPK!k-(tedent/fns/internal/getNumPositionalParams.pyPK!w<%-tedent/fns/internal/getTypedResult.pyPK!;|| 1tedent/fns/internal/iif.pyPK!ws{331tedent/fns/internal/isLaden.pyPK!Ȋ'.2tedent/fns/internal/isOnlyWhitespace.pyPK!f2tedent/fns/internal/isType.pyPK!v_R*++44tedent/fns/internal/joinWith.pyPK!K!6tedent/fns/internal/makeCallFn.pyPK!T-(8tedent/fns/internal/makeGenericCallFn.pyPK!`g;tedent/fns/internal/map_.pyPK!yy"?tedent/fns/internal/passThrough.pyPK!Dz?tedent/fns/internal/raise_.pyPK!EtAtedent/fns/internal/reduce.pyPK!pjj*Dtedent/fns/internal/returnFirstArgument.pyPK!\xx&rEtedent/fns/internal/sanitizeAscDesc.pyPK!0oo.Gtedent/fns/internal/sort.pyPK!V;22Htedent/fns/internal/toType.pyPK!%ttCItedent/fns/invokeAttr.pyPK!¢[Itedent/fns/isEmpty.pyPK!955Ktedent/fns/joinWith.pyPK!F;;{Ktedent/fns/passThrough.pyPK!(11Ktedent/fns/raise_.pyPK!fPLtedent/indentWith.pyPK!A_XRtedent/index.pyPK!{{Xtedent/invalid.pyPK!55C.[tedent/utils.pyPK!HڽTU%_tedent-0.1.0.dist-info/WHEELPK!Hgv_tedent-0.1.0.dist-info/METADATAPK!H%h4Ffftedent-0.1.0.dist-info/RECORDPK// n