Skip to content

Commit 76c0a0d

Browse files
committed
Initial commit
0 parents  commit 76c0a0d

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

55 files changed

+1357
-0
lines changed

.gitignore

+54
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,54 @@
1+
# Byte-compiled / optimized / DLL files
2+
__pycache__/
3+
*.py[cod]
4+
*$py.class
5+
6+
# C extensions
7+
*.so
8+
9+
# Distribution / packaging
10+
.Python
11+
build/
12+
develop-eggs/
13+
dist/
14+
downloads/
15+
eggs/
16+
.eggs/
17+
lib/
18+
lib64/
19+
parts/
20+
sdist/
21+
var/
22+
wheels/
23+
share/python-wheels/
24+
*.egg-info/
25+
.installed.cfg
26+
*.egg
27+
MANIFEST
28+
29+
# PyInstaller
30+
# Usually these files are written by a python script from a template
31+
# before PyInstaller builds the exe, so as to inject date/other infos into it.
32+
*.manifest
33+
*.spec
34+
35+
# Sphinx documentation
36+
docs/_build/
37+
38+
# PyBuilder
39+
.pybuilder/
40+
target/
41+
42+
43+
# Environments
44+
.env
45+
.venv
46+
env/
47+
venv/
48+
ENV/
49+
50+
51+
# mypy
52+
.mypy_cache/
53+
.dmypy.json
54+
dmypy.json

.idea/.gitignore

+8
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/componenter.iml

+8
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/inspectionProfiles/Project_Default.xml

+28
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/inspectionProfiles/profiles_settings.xml

+6
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/misc.xml

+4
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/modules.xml

+8
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/watcherTasks.xml

+25
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

componenter/__init__.py

Whitespace-only changes.

componenter/component.py

+22
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
from typing import Optional, Type, Generic, TypeVar, NamedTuple, Any
2+
3+
ComponentConfigT = TypeVar("ComponentConfigT", bound=Optional[tuple])
4+
ComponentT = TypeVar("ComponentT", bound="Component")
5+
ComponentsT = TypeVar("ComponentsT", bound=Optional[tuple])
6+
ComponentOrProtocolT = TypeVar("ComponentOrProtocolT", "Component", Any)
7+
8+
9+
class ComponentConfig(NamedTuple):
10+
pass
11+
12+
13+
class Component(Generic[ComponentConfigT, ComponentsT]):
14+
def __init__(self, components: ComponentsT = None, config: ComponentConfigT = None):
15+
self.config = config
16+
self.components: ComponentsT = components or tuple()
17+
18+
def __getitem__(self, item: Type[ComponentOrProtocolT]) -> ComponentOrProtocolT:
19+
for component in self.components:
20+
if isinstance(component, item):
21+
return component
22+
raise KeyError

componenter/utils.py

Whitespace-only changes.

dev/__init__.py

Whitespace-only changes.

dev/examples/__init__.py

Whitespace-only changes.

dev/examples/_actions.py

+66
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,66 @@
1+
from dev.version1 import Component, ComponentsContainer, ComponentsContainerType
2+
3+
4+
class Executor(Component[ComponentsContainerType]):
5+
def run(self):
6+
pass
7+
8+
9+
class MethodExecutor(Executor[ComponentsContainerType]):
10+
def __init__(self, parent):
11+
super().__init__(parent=parent)
12+
13+
def run(self, *args, **kwargs):
14+
# TODO..
15+
return self.parent[ExecutionMethod]
16+
17+
18+
class ValidationExecutor(Executor):
19+
def run(self, *args, **kwargs):
20+
if not self.parent[Validator].validate(*args, **kwargs):
21+
raise ValueError("Failed to validate")
22+
23+
24+
class Validator(Component):
25+
def __init__(self, parent):
26+
super().__init__(parent=parent)
27+
self.validate_method = self.parent.validate_method
28+
29+
def validate(self, *args, **kwargs) -> bool:
30+
return self.validate_method(*args, **kwargs)
31+
32+
33+
###
34+
35+
36+
class ExecutionMethod(Component[ComponentsContainerType]):
37+
@staticmethod
38+
def run_method(x: int, y: int) -> int:
39+
pass
40+
41+
42+
class SumMethod(ExecutionMethod[ComponentsContainerType]):
43+
@staticmethod
44+
def run_method(x: int, y: int) -> int:
45+
return x + y
46+
47+
48+
class Action(ComponentsContainer, components=[MethodExecutor, SumMethod]):
49+
action_meta = None
50+
51+
52+
class Condition(ComponentsContainer, components=[ValidationExecutor, Validator]):
53+
@staticmethod
54+
def validate_method(x: int):
55+
return x > 0
56+
57+
58+
##
59+
60+
if __name__ == "__main__":
61+
action = Action()
62+
ll = MethodExecutor(action).parent
63+
print(action[MethodExecutor].run(10, 13))
64+
65+
condition = Condition()
66+
print(condition[ValidationExecutor].run(-1))

dev/examples/actions/__init__.py

Whitespace-only changes.

dev/examples/actions/components.py

+40
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,40 @@
1+
from typing import Any
2+
3+
from componenter.component import Component, ComponentConfigT, ComponentsT
4+
from dev.examples.actions.configs import (
5+
RunnerComponents,
6+
RunnerConfig,
7+
MethodExecutorConfig,
8+
MethodValidationExecutorConfig,
9+
ExecutionChainComponents,
10+
)
11+
from dev.examples.actions.types import IRunner, IExecutor, DataContainer, IExecutionChain
12+
13+
14+
class Executor(Component[ComponentConfigT, ComponentsT], IExecutor):
15+
def execute(self, **kwargs) -> Any:
16+
pass
17+
18+
19+
class MethodExecutor(Executor[MethodExecutorConfig, None], IExecutor):
20+
def execute(self, **kwargs) -> Any:
21+
return self.config.method(**kwargs)
22+
23+
24+
class ValidationExecutor(Executor[MethodValidationExecutorConfig, None], IExecutor):
25+
def execute(self, **kwargs):
26+
if not self.config.method(**kwargs):
27+
raise ValueError("Validation failed for {} with {}".format(self.__class__, kwargs))
28+
29+
30+
class NoChangeRunner(Component[RunnerConfig, RunnerComponents], IRunner):
31+
def run(self, data: DataContainer) -> DataContainer:
32+
self.components.executor.execute(**data.dict())
33+
return data
34+
35+
36+
class ExecutionChain(Component[None, ExecutionChainComponents], IExecutionChain):
37+
def run_chain(self, data: DataContainer) -> DataContainer:
38+
for runner in self.components.runners:
39+
data = runner.run(data)
40+
return data

dev/examples/actions/configs.py

+23
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
from typing import NamedTuple, Callable, Any, List
2+
3+
from dev.examples.actions.types import IExecutor, IRunner
4+
5+
6+
class MethodExecutorConfig(NamedTuple):
7+
method: Callable[..., Any]
8+
9+
10+
class MethodValidationExecutorConfig(NamedTuple):
11+
method: Callable[..., bool]
12+
13+
14+
class RunnerComponents(NamedTuple):
15+
executor: IExecutor
16+
17+
18+
class RunnerConfig(NamedTuple):
19+
name: str
20+
21+
22+
class ExecutionChainComponents(NamedTuple):
23+
runners: List[IRunner]

dev/examples/actions/main.py

+37
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,37 @@
1+
from dev.examples.actions.components import NoChangeRunner, MethodExecutor, ValidationExecutor, ExecutionChain
2+
from dev.examples.actions.configs import (
3+
RunnerComponents,
4+
MethodExecutorConfig,
5+
MethodValidationExecutorConfig,
6+
ExecutionChainComponents,
7+
)
8+
from dev.examples.actions.types import DataContainer, IExecutor
9+
10+
if __name__ == "__main__":
11+
runner = NoChangeRunner(
12+
components=RunnerComponents(
13+
executor=MethodExecutor(
14+
config=MethodExecutorConfig(method=lambda name, age: print("Name", name, "age", age))
15+
)
16+
)
17+
)
18+
19+
validator = NoChangeRunner(
20+
components=RunnerComponents(
21+
executor=ValidationExecutor(config=MethodValidationExecutorConfig(method=lambda name, age: age > 18))
22+
)
23+
)
24+
25+
class Person(DataContainer):
26+
name: str
27+
age: int
28+
29+
runner.run(Person(name="johan", age=39))
30+
31+
validator.run(Person(name="johan", age=19))
32+
33+
runner[IExecutor].execute(name="GG", age=1)
34+
35+
ExecutionChain(components=ExecutionChainComponents(runners=[runner, validator])).run_chain(
36+
Person(name="johan", age=39)
37+
)

dev/examples/actions/types.py

+26
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,26 @@
1+
import abc
2+
from typing import Any
3+
4+
from pydantic import BaseModel
5+
6+
7+
class DataContainer(BaseModel):
8+
pass
9+
10+
11+
class IRunner(abc.ABC):
12+
@abc.abstractmethod
13+
def run(self, data: DataContainer) -> DataContainer:
14+
...
15+
16+
17+
class IExecutor(abc.ABC):
18+
@abc.abstractmethod
19+
def execute(self, **kwargs) -> Any:
20+
...
21+
22+
23+
class IExecutionChain(abc.ABC):
24+
@abc.abstractmethod
25+
def run_chain(self, data: DataContainer) -> DataContainer:
26+
...

dev/experiment/__init__.py

Whitespace-only changes.

0 commit comments

Comments
 (0)