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!simple_test_process/__init__.pyPK!0simple_test_process/__main__.pyfrom .runProcess import runProcess import sys def printErr(msg): print(msg, file=sys.stderr) result = runProcess(*sys.argv[1:]) if result.stdout: print(result.stdout) if result.stderr: printErr(result.stderr) exit(result.code) PK!,Y::#simple_test_process/fns/__init__.pyfrom .discardFirst import discardFirst from .discardWhen import discardWhen from .endsWith import endsWith from .forEach import forEach from .iif import iif from .invokeAttr import invokeAttr from .isEmpty import isEmpty from .isLaden import isLaden from .joinWith import joinWith from .map_ import map_ from .passThrough import passThrough from .split import split __all__ = [ "discardFirst", "discardWhen", "endsWith", "forEach", "iif", "invokeAttr", "isEmpty", "isLaden", "joinWith", "map_", "passThrough", "split", ] PK!.simple_test_process/fns/decorators/__init__.pyPK![`)gEE3simple_test_process/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!waII0simple_test_process/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!WḲ3simple_test_process/fns/decorators/argIsInstance.pyfrom inspect import signature from ..internal.raise_ import raise_ import wrapt def argIsInstance(aType, fnName=None): @wrapt.decorator def wrapper(fn, _instance, args, kwargs): nonlocal fnName typePassed = type(args[0]) if not isinstance(typePassed, aType): argName = list(signature(fn).parameters)[0] fnName = fnName or fn.__name__ typeName = aType.__name__ raise_( ValueError, f""" {fnName} requires {argName} to be an instance of {typeName} type passed: {typePassed.__name__} """, ) return fn(*args, **kwargs) return wrapper PK!5simple_test_process/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!E/simple_test_process/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 aType: 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!ǥ&&'simple_test_process/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!| ;;&simple_test_process/fns/discardWhen.pyfrom .internal.discardWhen import discardWhen # noqa f401 PK!t8#simple_test_process/fns/endsWith.pyfrom .decorators.argIsType import argIsType @argIsType(str) def endsWith(prefix): @argIsType(str) def endsWith_inner(fullStr): return fullStr.endswith(prefix) return endsWith_inner PK!`c??"simple_test_process/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++simple_test_process/fns/iif.pyfrom .internal.iif import iif # noqa f401 PK!B u/simple_test_process/fns/internal/NotCallable.pyfrom types import SimpleNamespace from .mAssignToSelf import mAssignToSelf from .raise_ import raise_ import os class NotCallable(SimpleNamespace): def __init__(self, fnName, **typeToFn): self._fnName = fnName self._typeToFn = typeToFn mAssignToSelf(typeToFn, self) def __call__(self, *args, **kwargs): availableKeys = list(self._typeToFn.keys()) fnName = self._fnName raise_( TypeError, f""" The utility '{fnName}' is not callable because it needs to know what to return in the case of an empty list. example usage: {fnName}.{availableKeys[0]}([...]) available keys: {os.linesep.join(availableKeys)} """, ) PK!,simple_test_process/fns/internal/__init__.pyPK!F/simple_test_process/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!ss'simple_test_process/fns/internal/get.pydef get(attrName): def get_inner(something): return getattr(something, attrName) return get_inner PK!)jj.simple_test_process/fns/internal/getArgName.pyfrom inspect import signature def getArgName(fn, idx=0): return list(signature(fn).parameters)[idx] PK!X2simple_test_process/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:simple_test_process/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<2simple_test_process/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!;||'simple_test_process/fns/internal/iif.pydef iif(condition, whenTruthy, whenFalsey): if condition: return whenTruthy else: return whenFalsey PK!ws{33+simple_test_process/fns/internal/isLaden.pydef isLaden(aList): return len(aList) is not 0 PK!Ȋ4simple_test_process/fns/internal/isOnlyWhitespace.pyimport re onlyWhitespaceRe = re.compile(r"\s*$") def isOnlyWhitespace(aString): return onlyWhitespaceRe.match(aString) is not None PK!f*simple_test_process/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*++,simple_test_process/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!K1simple_test_process/fns/internal/mAssignToSelf.py# # assigns dict key-values onto self as attributes # return secondaryObj # ** mutates secondaryObj # def mAssignToSelf(aDict, aSelf): for k, v in aDict.items(): setattr(aSelf, k, v) return aSelf PK!K.simple_test_process/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-5simple_test_process/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!G~(simple_test_process/fns/internal/map_.py# ------- # # Imports # # ------- # from .makeGenericCallFn import makeGenericCallFn from .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/simple_test_process/fns/internal/passThrough.pyfrom .reduce import reduce def passThrough(arg, fnList): return reduce(lambda result, fn: fn(result), arg)(fnList) PK!W*simple_test_process/fns/internal/raise_.pyfrom tedent import tedent 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 = tedent(message) err = errorClass(message) if fromException is None: raise err else: raise err from fromException PK!Et*simple_test_process/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!pjj7simple_test_process/fns/internal/returnFirstArgument.pyfrom .iif import iif def returnFirstArgument(*args, **kwargs): return iif(len(args), args[0], None) PK!\xx3simple_test_process/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!0oo(simple_test_process/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;22*simple_test_process/fns/internal/toType.pydef toType(something): return type(something) PK!%tt%simple_test_process/fns/invokeAttr.pydef invokeAttr(key): def invokeAttr_inner(obj): return getattr(obj, key)() return invokeAttr_inner PK!¢["simple_test_process/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!X33"simple_test_process/fns/isLaden.pyfrom .internal.isLaden import isLaden # noqa f401 PK!955#simple_test_process/fns/joinWith.pyfrom .internal.joinWith import joinWith # noqa f401 PK!}--simple_test_process/fns/map_.pyfrom .internal.map_ import map_ # noqa f401 PK!F;;&simple_test_process/fns/passThrough.pyfrom .internal.passThrough import passThrough # noqa f401 PK!:ʼtt simple_test_process/fns/split.pydef split(separator): def split_inner(aString): return aString.split(separator) return split_inner PK!久QQ"simple_test_process/runAllTests.py# ------- # # Imports # # ------- # from traceback import format_exc from .fns import forEach # ---- # # Main # # ---- # def runAllTests(state): forEach(runTest)(state.rootTests) forEach(runSuiteTests)(state.rootSuites) # ------- # # Helpers # # ------- # def runSuiteTests(aSuite): forEach(runTest)(aSuite.tests) forEach(runSuiteTests)(aSuite.suites) def runTest(aTest): try: aTest.fn() aTest.succeeded = True except Exception as e: aTest.succeeded = False aTest.rootState.succeeded = False propagateFailure(aTest.parentSuite) aTest.formattedException = format_exc() aTest.error = e def propagateFailure(aSuite): if aSuite is None: return if aSuite.succeeded: aSuite.succeeded = False propagateFailure(aSuite.parentSuite) PK!"b b !simple_test_process/runProcess.py# ------- # # Imports # # ------- # from os import path from textwrap import dedent from traceback import format_exc from types import SimpleNamespace as o from .fns import forEach, iif from .runAllTests import runAllTests from .state import initState from .utils import gatherTests, importTests, twoLineSeps from .validateAndGetReportFn import validateAndGetReportFn import os import toml # ---- # # Main # # ---- # # # When this function is called we can assume # - projectDir exists on the file system # - reporter is a non-relative module name # - silent is a string boolean # def runProcess(projectDir, reporter, silent): try: silent = silent == "True" cliResult = o(stderr=None, stdout=None, code=None) if not silent: validationResult = validateAndGetReportFn( reporter, silent, cliResult ) if validationResult.hasError: return validationResult.cliResult report = validationResult.report pyprojectTomlPath = path.join(projectDir, "pyproject.toml") reportOpts = None if path.isfile(pyprojectTomlPath): allProjectSettings = toml.load(pyprojectTomlPath) result = getValueAtPath(allProjectSettings, ["tool", reporter]) if result.hasValue: reportOpts = result.value state = initState() importTests(projectDir) forEach(gatherTests)(state.rootSuites) runAllTests(state) if not state.testsFound: if not silent: cliResult.stderr = dedent( f""" No tests were found in any python files under the project's tests directory: '{path.join(projectDir, 'tests')}' Remember you define tests by decorating a function with @test("test label") """ ) cliResult.code = 2 return cliResult if not silent: if reportOpts is None: report(state) else: report(state, reportOpts) cliResult.code = iif(state.succeeded, 0, 1) return cliResult except Exception: if not silent: cliResult.stderr = ( os.linesep + "An error occurred during simple_test_process" + twoLineSeps + format_exc() ) cliResult.code = 2 return cliResult # ------- # # Helpers # # ------- # def getValueAtPath(aDict, pathToValue): result = o(hasValue=None, value=None) val = aDict for segment in pathToValue: if segment not in val: result.hasValue = False return result val = val[segment] result.hasValue = True result.value = val return result PK!a##simple_test_process/state.pyfrom copy import deepcopy from types import SimpleNamespace as o _initialState = o( rootTests=[], rootSuites=[], currentSuite=None, testsFound=False, succeeded=True, ) state = deepcopy(_initialState) def _getState(): return state def initState(): global state state = deepcopy(_initialState) return state def addSuite(label, fn): currentSuite = state.currentSuite newSuite = o( label=label, fn=fn, tests=[], suites=[], parentSuite=currentSuite, rootState=state, succeeded=True, ) if currentSuite is None: state.rootSuites.append(newSuite) else: currentSuite.suites.append(newSuite) return state def addTest(label, fn): global state currentSuite = state.currentSuite test = o(label=label, fn=fn, parentSuite=currentSuite, rootState=state) if currentSuite is None: state.rootTests.append(test) else: currentSuite.tests.append(test) state.testsFound = True return state PK!Kauusimple_test_process/suite.pyfrom .state import addSuite def suite(label): def wrapper(fn): addSuite(label, fn) return wrapper PK!bANrrsimple_test_process/test.pyfrom .state import addTest def test(label): def wrapper(fn): addTest(label, fn) return wrapper PK!N\VVsimple_test_process/utils.py# ------- # # Imports # # ------- # from glob import glob from os import path from .suite import suite from .test import test import importlib.util import os from .fns import ( discardFirst, discardWhen, endsWith, forEach, joinWith, map_, passThrough, split, ) # ---- # # Main # # ---- # twoLineSeps = os.linesep + os.linesep # # I'm choosing to gather all the tests prior to running any because I feel that # will be a simpler design. # def gatherTests(aSuite): oldCurrentSuite = aSuite.rootState.currentSuite aSuite.rootState.currentSuite = aSuite aSuite.fn() forEach(gatherTests)(aSuite.suites) aSuite.rootState.currentSuite = oldCurrentSuite # # I can't find a clean way to do this so I'm rolling my own. The python # import system is inherently hacky anyway :( # def importTests(projectDir): testsDir = path.join(projectDir, "tests") globStr = path.join(testsDir, "**/*.py") passThrough( globStr, [ recursiveGlob, discardWhen(endsWith("__init__.py")), map_(discardFirst(len(projectDir + "/"))), map_(toModulePath), forEach(importModule), ], ) def importModule(modulePath): try: spec = importlib.util.find_spec(modulePath) testModule = importlib.util.module_from_spec(spec) testModule.test = test testModule.suite = suite spec.loader.exec_module(testModule) except Exception as e: raise Exception(f"Error occurred while importing '{modulePath}'") from e def recursiveGlob(globStr): return glob(globStr, recursive=True) def toModulePath(filePathFromTestsDir): return passThrough( filePathFromTestsDir, [removeExtension, split(os.sep), joinWith(".")] ) def removeExtension(filePath): return os.path.splitext(filePath)[0] PK!,,-simple_test_process/validateAndGetReportFn.py# ------- # # Imports # # ------- # from traceback import format_exc from types import SimpleNamespace as o from .utils import twoLineSeps import importlib import os # ---- # # Main # # ---- # def validateAndGetReportFn(reporter, silent, cliResult): validationResult = o(report=None, cliResult=cliResult, hasError=False) try: reporterModule = importlib.import_module(reporter) except: if not silent: err = "An error occurred while importing the reporter" cliResult.stderr = os.linesep + err + twoLineSeps + format_exc() cliResult.code = 2 validationResult.hasError = True return validationResult if hasattr(reporterModule, "report") and callable(reporterModule.report): validationResult.report = reporterModule.report else: if not silent: cliResult.stderr = ( os.linesep + "the reporter must expose a callable 'report'" ) cliResult.code = 2 validationResult.hasError = True return validationResult PK!HڽTU)simple_test_process-0.1.0.dist-info/WHEEL A н#Z;/"d&F[xzw@Zpy3Fv]\fi4WZ^EgM_-]#0(q7PK!Hz,simple_test_process-0.1.0.dist-info/METADATAKo0 ~$E~¤TC*ʉX)Dm"aLTc'Vʉ,l ]-@P!|ӇC"БJItO:xO vMj<{YnsE[}\]]w9*i@[iQ[cq1]^h~-.Qo5@nKvˆa_yy+ZE䞎O /./x&L/d]=&T)_7y)_ €&bYo<; S[eRs/6<Y3@Q6AULLXn`N:hMĕǾ4=~lh{m 4T~CycuKM6z Gf]:AoN,xRaMrQ PK!H從y *simple_test_process-0.1.0.dist-info/RECORDWɲ׷-f 8!H'[usNj+s宋(iǸ!QwCcX4rl:]!.ƅV`$(w$1MW' c J (b ,N ѕB(  LFbV ^e,&_6a~ zEzyyw!! 8r?H @J4w(N~ oۣ|$~1jg,`l .B)K#O:N"Ї#aúouBrq1pS=ڡ:2CРߐ 9S0iJH} 3Uͨ iݟ%Meq36mC;at{a@_(>J鮇mS1zj+DKYO^!7JhK/8Nɚn ~x"j&< wV-2oЙapa 4|I_CTڳJ f?˕sRkL ނm3⛉͓]6ZS:ʂn$n|]P^-R5_(i-$EJ.'Fm_\tq=}CaKb":PsV1pqxgI3-;E]|4%tQ/ezmd=f`AeupM1(?7ѿ@1۰S'CťDL2{S, ~8zŒzd|AQEY/'X3 { \ϴPl^K+JvoO=˞@ Sm<88tov"|mliazǃ:HL9>]r,c }7cse`u"V8(8H5Bjmlg/pS4xGG|}LԜP~8}ؼ{:wKL-ƺ<\>G{ <sЯ%Jb3Pp);,$(K6 NУ{45dg] gǼ#Pq᲍p.u!UHmQ͇mN!p rC-G1˙0~ءHEs~J3:sTRY0Cj.%:^zC ; nl`%?Mfҝ0 :l? ;_M35@̎PEVOg^ߋ`"\=yWReuWb? $юhO9iEu( C{N`ȞRH#z;zC.Mؽ.H'ۢ 9*Oˣ1uhL3#; {nvރ͈_h\w1k#%^ _-k >ؖU,MC`5K\;ɖܪHiApOI|rHu(Ñ7O/G[}|U _99GR%RQt9~Ϗ;L@ fc!KNk|gg[s?_^Cay_MC(5|]M ?}Fڻ.$pE3D))1&\_c m"zʶfm!G<^(h[둓RP$WşSl/*E|e&> az1ԨIjrGm>߿UffI